diff --git a/README.md b/README.md index a108994cb7..ff39e4142a 100644 --- a/README.md +++ b/README.md @@ -16,7 +16,7 @@ For crashes and similar issues, please attach the following information: If the Cura user interface still starts, you can also reach this directory from the application menu in Help -> Show settings folder -For additional support, you could also ask in the #cura channel on FreeNode IRC. For help with development, there is also the #cura-dev channel. +For additional support, you could also ask in the [#cura channel](https://web.libera.chat/#cura) on [libera.chat](https://libera.chat/). For help with development, there is also the [#cura-dev channel](https://web.libera.chat/#cura-dev). Dependencies ------------ @@ -26,10 +26,16 @@ Dependencies * [PySerial](https://github.com/pyserial/pyserial) Only required for USB printing support. * [python-zeroconf](https://github.com/jstasiak/python-zeroconf) Only required to detect mDNS-enabled printers. +For a list of required Python packages, with their recommended version, see `requirements.txt`. + +This list is not exhaustive at the moment, please check the links in the next section for more details. + Build scripts ------------- Please check out [cura-build](https://github.com/Ultimaker/cura-build) for detailed building instructions. +If you want to build the entire environment from scratch before building Cura as well, [cura-build-environment](https://github.com/Ultimaker/cura-build) might be a starting point before cura-build. (Again, see cura-build for more details.) + Running from Source ------------- Please check our [Wiki page](https://github.com/Ultimaker/Cura/wiki/Running-Cura-from-Source) for details about running Cura from source. diff --git a/cura/API/Account.py b/cura/API/Account.py index 4e8c90e052..728d0690a3 100644 --- a/cura/API/Account.py +++ b/cura/API/Account.py @@ -40,7 +40,7 @@ class Account(QObject): """ # The interval in which sync services are automatically triggered - SYNC_INTERVAL = 30.0 # seconds + SYNC_INTERVAL = 60.0 # seconds Q_ENUMS(SyncState) loginStateChanged = pyqtSignal(bool) diff --git a/cura/ApplicationMetadata.py b/cura/ApplicationMetadata.py index 11204a542b..2c3ecbc856 100644 --- a/cura/ApplicationMetadata.py +++ b/cura/ApplicationMetadata.py @@ -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.5.0" +CuraSDKVersion = "7.6.0" try: from cura.CuraVersion import CuraAppName # type: ignore diff --git a/cura/AutoSave.py b/cura/AutoSave.py index d80e34771e..3205f48af1 100644 --- a/cura/AutoSave.py +++ b/cura/AutoSave.py @@ -1,4 +1,4 @@ -# Copyright (c) 2019 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. from PyQt5.QtCore import QTimer @@ -6,6 +6,8 @@ from typing import Any, TYPE_CHECKING from UM.Logger import Logger +import time + if TYPE_CHECKING: from cura.CuraApplication import CuraApplication @@ -56,8 +58,8 @@ class AutoSave: def _onTimeout(self) -> None: self._saving = True # To prevent the save process from triggering another autosave. - Logger.log("d", "Autosaving preferences, instances and profiles") + save_start_time = time.time() self._application.saveSettings() - + Logger.log("d", "Autosaving preferences, instances and profiles took %s seconds", time.time() - save_start_time) self._saving = False diff --git a/cura/Backups/Backup.py b/cura/Backups/Backup.py index 85852e74f6..d9f1788744 100644 --- a/cura/Backups/Backup.py +++ b/cura/Backups/Backup.py @@ -14,6 +14,7 @@ from UM.Logger import Logger from UM.Message import Message from UM.Platform import Platform from UM.Resources import Resources +from UM.Version import Version if TYPE_CHECKING: from cura.CuraApplication import CuraApplication @@ -28,6 +29,8 @@ class Backup: IGNORED_FILES = [r"cura\.log", r"plugins\.json", r"cache", r"__pycache__", r"\.qmlc", r"\.pyc"] """These files should be ignored when making a backup.""" + IGNORED_FOLDERS = [r"plugins"] + SECRETS_SETTINGS = ["general/ultimaker_auth_data"] """Secret preferences that need to obfuscated when making a backup of Cura""" @@ -74,8 +77,9 @@ class Backup: machine_count = max(len([s for s in files if "machine_instances/" in s]) - 1, 0) # If people delete their profiles but not their preferences, it can still make a backup, and report -1 profiles. Server crashes on this. material_count = max(len([s for s in files if "materials/" in s]) - 1, 0) profile_count = max(len([s for s in files if "quality_changes/" in s]) - 1, 0) - plugin_count = len([s for s in files if "plugin.json" in s]) - + # We don't store plugins anymore, since if you can make backups, you have an account (and the plugins are + # on the marketplace anyway) + plugin_count = 0 # Store the archive and metadata so the BackupManager can fetch them when needed. self.zip_file = buffer.getvalue() self.meta_data = { @@ -94,8 +98,7 @@ class Backup: :param root_path: The root directory to archive recursively. :return: The archive as bytes. """ - - ignore_string = re.compile("|".join(self.IGNORED_FILES)) + ignore_string = re.compile("|".join(self.IGNORED_FILES + self.IGNORED_FOLDERS)) try: archive = ZipFile(buffer, "w", ZIP_DEFLATED) for root, folders, files in os.walk(root_path): @@ -132,8 +135,8 @@ class Backup: "Tried to restore a Cura backup without having proper data or meta data.")) return False - current_version = self._application.getVersion() - version_to_restore = self.meta_data.get("cura_release", "master") + current_version = Version(self._application.getVersion()) + version_to_restore = Version(self.meta_data.get("cura_release", "master")) if current_version < version_to_restore: # Cannot restore version newer than current because settings might have changed. diff --git a/cura/Backups/BackupsManager.py b/cura/Backups/BackupsManager.py index fb758455c1..6d620b8d27 100644 --- a/cura/Backups/BackupsManager.py +++ b/cura/Backups/BackupsManager.py @@ -4,6 +4,7 @@ from typing import Dict, Optional, Tuple, TYPE_CHECKING from UM.Logger import Logger +from UM.Version import Version from cura.Backups.Backup import Backup if TYPE_CHECKING: @@ -52,6 +53,18 @@ class BackupsManager: backup = Backup(self._application, zip_file = zip_file, meta_data = meta_data) restored = backup.restore() + + package_manager = self._application.getPackageManager() + + # If the backup was made with Cura 4.10 (or higher), we no longer store plugins. + # Since the restored backup doesn't have those plugins anymore, we should remove it from the list + # of installed plugins. + if Version(meta_data.get("cura_release")) >= Version("4.10.0"): + for package_id in package_manager.getAllInstalledPackageIDs(): + package_data = package_manager.getInstalledPackageInfo(package_id) + if package_data.get("package_type") == "plugin" and not package_data.get("is_bundled"): + package_manager.removePackage(package_id) + if restored: # At this point, Cura will need to restart for the changes to take effect. # We don't want to store the data at this point as that would override the just-restored backup. diff --git a/cura/CuraActions.py b/cura/CuraActions.py index d6e5add912..4d121338d8 100644 --- a/cura/CuraActions.py +++ b/cura/CuraActions.py @@ -67,11 +67,15 @@ class CuraActions(QObject): current_node = parent_node parent_node = current_node.getParent() - # This was formerly done with SetTransformOperation but because of - # unpredictable matrix deconstruction it was possible that mirrors - # could manifest as rotations. Centering is therefore done by - # moving the node to negative whatever its position is: - center_operation = TranslateOperation(current_node, -current_node._position) + # Find out where the bottom of the object is + bbox = current_node.getBoundingBox() + if bbox: + center_y = current_node.getWorldPosition().y - bbox.bottom + else: + center_y = 0 + + # Move the object so that it's bottom is on to of the buildplate + center_operation = TranslateOperation(current_node, Vector(0, center_y, 0), set_position = True) operation.addOperation(center_operation) operation.push() diff --git a/cura/CuraApplication.py b/cura/CuraApplication.py index 9a0bac6f73..d8895fabf2 100755 --- a/cura/CuraApplication.py +++ b/cura/CuraApplication.py @@ -257,6 +257,9 @@ class CuraApplication(QtApplication): from cura.CuraPackageManager import CuraPackageManager self._package_manager_class = CuraPackageManager + from UM.CentralFileStorage import CentralFileStorage + CentralFileStorage.setIsEnterprise(ApplicationMetadata.IsEnterpriseVersion) + @pyqtProperty(str, constant=True) def ultimakerCloudApiRootUrl(self) -> str: return UltimakerCloudConstants.CuraCloudAPIRoot @@ -1526,12 +1529,8 @@ class CuraApplication(QtApplication): # Compute the center of the objects object_centers = [] - # Forget about the translation that the original objects have - zero_translation = Matrix(data=numpy.zeros(3)) for mesh, node in zip(meshes, group_node.getChildren()): - transformation = node.getLocalTransformation() - transformation.setTranslation(zero_translation) - transformed_mesh = mesh.getTransformed(transformation) + transformed_mesh = mesh.getTransformed(Matrix()) # Forget about the transformations that the original object had. center = transformed_mesh.getCenterPosition() if center is not None: object_centers.append(center) @@ -1546,7 +1545,7 @@ class CuraApplication(QtApplication): # Move each node to the same position. for mesh, node in zip(meshes, group_node.getChildren()): - node.setTransformation(Matrix()) + node.setTransformation(Matrix()) # Removes any changes in position and rotation. # Align the object around its zero position # and also apply the offset to center it inside the group. node.setPosition(-mesh.getZeroPosition() - offset) @@ -1867,6 +1866,7 @@ class CuraApplication(QtApplication): else: node = CuraSceneNode() node.setMeshData(original_node.getMeshData()) + node.source_mime_type = original_node.source_mime_type # Setting meshdata does not apply scaling. if original_node.getScale() != Vector(1.0, 1.0, 1.0): diff --git a/cura/Machines/Models/MachineModelUtils.py b/cura/Machines/Models/MachineModelUtils.py index a23b1ff3a5..b4fff37724 100644 --- a/cura/Machines/Models/MachineModelUtils.py +++ b/cura/Machines/Models/MachineModelUtils.py @@ -1,4 +1,4 @@ -# Copyright (c) 2019 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. from typing import TYPE_CHECKING @@ -34,4 +34,4 @@ def fetchLayerHeight(quality_group: "QualityGroup") -> float: if isinstance(layer_height, SettingFunction): layer_height = layer_height(global_stack) - return float(layer_height) + return round(float(layer_height), 3) diff --git a/cura/Machines/Models/MaterialManagementModel.py b/cura/Machines/Models/MaterialManagementModel.py index 4a696ec974..85f208d8b0 100644 --- a/cura/Machines/Models/MaterialManagementModel.py +++ b/cura/Machines/Models/MaterialManagementModel.py @@ -1,10 +1,11 @@ -# Copyright (c) 2019 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. import copy # To duplicate materials. -from PyQt5.QtCore import QObject, pyqtSignal, pyqtSlot # To allow the preference page proxy to be used from the actual preferences page. +from PyQt5.QtCore import pyqtProperty, pyqtSignal, pyqtSlot, QObject, QUrl from typing import Any, Dict, Optional, TYPE_CHECKING import uuid # To generate new GUIDs for new materials. +import zipfile # To export all materials in a .zip archive. from UM.i18n import i18nCatalog from UM.Logger import Logger @@ -24,6 +25,11 @@ class MaterialManagementModel(QObject): This class handles the actions in that page, such as creating new materials, renaming them, etc. """ + def __init__(self, parent: QObject) -> None: + super().__init__(parent) + cura_application = cura.CuraApplication.CuraApplication.getInstance() + self._preferred_export_all_path = None # type: Optional[QUrl] # Path to export all materials to. None if not yet initialised. + cura_application.getOutputDeviceManager().outputDevicesChanged.connect(self._onOutputDevicesChanged) favoritesChanged = pyqtSignal(str) """Triggered when a favorite is added or removed. @@ -79,6 +85,7 @@ class MaterialManagementModel(QObject): :param material_node: The material to remove. """ + Logger.info(f"Removing material {material_node.container_id}") container_registry = CuraContainerRegistry.getInstance() materials_this_base_file = container_registry.findContainersMetadata(base_file = material_node.base_file) @@ -194,6 +201,7 @@ class MaterialManagementModel(QObject): :return: The root material ID of the duplicate material. """ + Logger.info(f"Duplicating material {material_node.base_file} to {new_base_id}") return self.duplicateMaterialByBaseFile(material_node.base_file, new_base_id, new_metadata) @pyqtSlot(result = str) @@ -262,3 +270,52 @@ class MaterialManagementModel(QObject): self.favoritesChanged.emit(material_base_file) except ValueError: # Material was not in the favorites list. Logger.log("w", "Material {material_base_file} was already not a favorite material.".format(material_base_file = material_base_file)) + + def _onOutputDevicesChanged(self) -> None: + """ + When the list of output devices changes, we may want to update the + preferred export path. + """ + cura_application = cura.CuraApplication.CuraApplication.getInstance() + device_manager = cura_application.getOutputDeviceManager() + devices = device_manager.getOutputDevices() + for device in devices: + if device.__class__.__name__ == "RemovableDriveOutputDevice": + self._preferred_export_all_path = QUrl.fromLocalFile(device.getId()) + break + else: # No removable drives? Use local path. + self._preferred_export_all_path = cura_application.getDefaultPath("dialog_material_path") + self.outputDevicesChanged.emit() + + outputDevicesChanged = pyqtSignal() # Triggered when adding or removing removable drives. + @pyqtProperty(QUrl, notify = outputDevicesChanged) + def preferredExportAllPath(self) -> QUrl: + """ + Get the preferred path to export materials to. + + If there is a removable drive, that should be the preferred path. Otherwise it should be the most recent local + file path. + :return: The preferred path to export all materials to. + """ + if self._preferred_export_all_path is None: # Not initialised yet. Can happen when output devices changed before class got created. + self._onOutputDevicesChanged() + return self._preferred_export_all_path + + @pyqtSlot(QUrl) + def exportAll(self, file_path: QUrl) -> None: + """ + Export all materials to a certain file path. + :param file_path: The path to export the materials to. + """ + registry = CuraContainerRegistry.getInstance() + + archive = zipfile.ZipFile(file_path.toLocalFile(), "w", compression = zipfile.ZIP_DEFLATED) + for metadata in registry.findInstanceContainersMetadata(type = "material"): + if metadata["base_file"] != metadata["id"]: # Only process base files. + continue + if metadata["id"] == "empty_material": # Don't export the empty material. + continue + material = registry.findContainers(id = metadata["id"])[0] + suffix = registry.getMimeTypeForContainer(type(material)).preferredSuffix + filename = metadata["id"] + "." + suffix + archive.writestr(filename, material.serialize()) diff --git a/cura/Machines/Models/QualitySettingsModel.py b/cura/Machines/Models/QualitySettingsModel.py index 43f5c71e15..b046b7546d 100644 --- a/cura/Machines/Models/QualitySettingsModel.py +++ b/cura/Machines/Models/QualitySettingsModel.py @@ -99,7 +99,7 @@ class QualitySettingsModel(ListModel): if self._selected_position == self.GLOBAL_STACK_POSITION: quality_node = quality_group.node_for_global else: - quality_node = quality_group.nodes_for_extruders.get(str(self._selected_position)) + quality_node = quality_group.nodes_for_extruders.get(self._selected_position) settings_keys = quality_group.getAllKeys() quality_containers = [] if quality_node is not None and quality_node.container is not None: @@ -117,7 +117,9 @@ class QualitySettingsModel(ListModel): if self._selected_position == self.GLOBAL_STACK_POSITION and global_container: quality_changes_metadata = global_container.getMetaData() else: - quality_changes_metadata = extruders_container.get(str(self._selected_position)) + extruder = extruders_container.get(self._selected_position) + if extruder: + quality_changes_metadata = extruder.getMetaData() if quality_changes_metadata is not None: # It can be None if number of extruders are changed during runtime. container = container_registry.findContainers(id = quality_changes_metadata["id"]) if container: diff --git a/cura/OAuth2/AuthorizationHelpers.py b/cura/OAuth2/AuthorizationHelpers.py index d79f24df15..5b95b3a3bb 100644 --- a/cura/OAuth2/AuthorizationHelpers.py +++ b/cura/OAuth2/AuthorizationHelpers.py @@ -1,12 +1,12 @@ -# Copyright (c) 2020 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. + from datetime import datetime import json import random from hashlib import sha512 from base64 import b64encode -from typing import Optional, Any, Dict, Tuple - +from typing import Optional import requests from UM.i18n import i18nCatalog @@ -115,7 +115,7 @@ class AuthorizationHelpers: token_request = requests.get(check_token_url, headers = { "Authorization": "Bearer {}".format(access_token) }) - except requests.exceptions.ConnectionError: + 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 diff --git a/cura/OAuth2/AuthorizationService.py b/cura/OAuth2/AuthorizationService.py index da654b52bb..96091f9c11 100644 --- a/cura/OAuth2/AuthorizationService.py +++ b/cura/OAuth2/AuthorizationService.py @@ -113,8 +113,10 @@ class AuthorizationService: # 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. - self._storeAuthData(self._auth_data) + # 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 getAccessToken(self) -> Optional[str]: diff --git a/cura/Scene/CuraSceneNode.py b/cura/Scene/CuraSceneNode.py index 93a1511681..5fbaded650 100644 --- a/cura/Scene/CuraSceneNode.py +++ b/cura/Scene/CuraSceneNode.py @@ -119,21 +119,23 @@ class CuraSceneNode(SceneNode): self._aabb = None if self._mesh_data: self._aabb = self._mesh_data.getExtents(self.getWorldTransformation(copy = False)) - else: # If there is no mesh_data, use a bounding box that encompasses the local (0,0,0) - position = self.getWorldPosition() - self._aabb = AxisAlignedBox(minimum = position, maximum = position) for child in self.getAllChildren(): if child.callDecoration("isNonPrintingMesh"): # Non-printing-meshes inside a group should not affect push apart or drop to build plate continue - if not child.getMeshData(): - # Nodes without mesh data should not affect bounding boxes of their parents. + child_bb = child.getBoundingBox() + if child_bb is None or child_bb.minimum == child_bb.maximum: + # Child had a degenerate bounding box, such as an empty group. Don't count it along. continue if self._aabb is None: - self._aabb = child.getBoundingBox() + self._aabb = child_bb else: - self._aabb = self._aabb + child.getBoundingBox() + self._aabb = self._aabb + child_bb + + if self._aabb is None: # No children that should be included? Just use your own position then, but it's an invalid AABB. + position = self.getWorldPosition() + self._aabb = AxisAlignedBox(minimum = position, maximum = position) def __deepcopy__(self, memo: Dict[int, object]) -> "CuraSceneNode": """Taken from SceneNode, but replaced SceneNode with CuraSceneNode""" @@ -142,6 +144,7 @@ class CuraSceneNode(SceneNode): copy.setTransformation(self.getLocalTransformation(copy= False)) copy.setMeshData(self._mesh_data) copy.setVisible(cast(bool, deepcopy(self._visible, memo))) + copy.source_mime_type = cast(str, deepcopy(self.source_mime_type, memo)) copy._selectable = cast(bool, deepcopy(self._selectable, memo)) copy._name = cast(str, deepcopy(self._name, memo)) for decorator in self._decorators: diff --git a/cura/Settings/ContainerManager.py b/cura/Settings/ContainerManager.py index 48d4cb3cbc..45f2edab20 100644 --- a/cura/Settings/ContainerManager.py +++ b/cura/Settings/ContainerManager.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. import os @@ -241,6 +241,7 @@ class ContainerManager(QObject): file_url = file_url_or_string.toLocalFile() else: file_url = file_url_or_string + Logger.info(f"Importing material from {file_url}") if not file_url or not os.path.exists(file_url): return {"status": "error", "message": "Invalid path"} diff --git a/cura/Settings/GlobalStack.py b/cura/Settings/GlobalStack.py index 2c7cbf5e25..282034c0ee 100755 --- a/cura/Settings/GlobalStack.py +++ b/cura/Settings/GlobalStack.py @@ -86,6 +86,14 @@ class GlobalStack(CuraContainerStack): def supportsNetworkConnection(self): return self.getMetaDataEntry("supports_network_connection", False) + @pyqtProperty(bool, constant = True) + def supportsMaterialExport(self): + """ + Whether the printer supports Cura's export format of material profiles. + :return: ``True`` if it supports it, or ``False`` if not. + """ + return self.getMetaDataEntry("supports_material_export", False) + @classmethod def getLoadingPriority(cls) -> int: return 2 diff --git a/cura/UI/ObjectsModel.py b/cura/UI/ObjectsModel.py index 02d4096278..0c109d7a4a 100644 --- a/cura/UI/ObjectsModel.py +++ b/cura/UI/ObjectsModel.py @@ -132,9 +132,26 @@ class ObjectsModel(ListModel): is_group = bool(node.callDecoration("isGroup")) + name_handled_as_group = False force_rename = False - if not is_group: - # Handle names for individual nodes + if is_group: + # Handle names for grouped nodes + original_name = self._group_name_prefix + + current_name = node.getName() + if current_name.startswith(self._group_name_prefix): + # This group has a standard group name, but we may need to renumber it + name_index = int(current_name.split("#")[-1]) + name_handled_as_group = True + elif not current_name: + # Force rename this group because this node has not been named as a group yet, probably because + # it's a newly created group. + name_index = 0 + force_rename = True + name_handled_as_group = True + + if not is_group or not name_handled_as_group: + # Handle names for individual nodes or groups that already have a non-group name name = node.getName() name_match = self._naming_regex.fullmatch(name) @@ -144,18 +161,6 @@ class ObjectsModel(ListModel): else: original_name = name_match.groups()[0] name_index = int(name_match.groups()[1]) - else: - # Handle names for grouped nodes - original_name = self._group_name_prefix - - current_name = node.getName() - if current_name.startswith(self._group_name_prefix): - name_index = int(current_name.split("#")[-1]) - else: - # Force rename this group because this node has not been named as a group yet, probably because - # it's a newly created group. - name_index = 0 - force_rename = True if original_name not in name_to_node_info_dict: # Keep track of 2 things: diff --git a/cura_app.py b/cura_app.py index 0445f896ae..b9a42f0aba 100755 --- a/cura_app.py +++ b/cura_app.py @@ -16,14 +16,6 @@ import argparse import faulthandler import os -# Workaround for a race condition on certain systems where there -# is a race condition between Arcus and PyQt. Importing Arcus -# first seems to prevent Sip from going into a state where it -# tries to create PyQt objects on a non-main thread. -import Arcus # @UnusedImport -import Savitar # @UnusedImport -import pynest2d # @UnusedImport - from PyQt5.QtNetwork import QSslConfiguration, QSslSocket from UM.Platform import Platform diff --git a/plugins/3MFReader/ThreeMFWorkspaceReader.py b/plugins/3MFReader/ThreeMFWorkspaceReader.py index c4170ebfcf..d0442e083b 100755 --- a/plugins/3MFReader/ThreeMFWorkspaceReader.py +++ b/plugins/3MFReader/ThreeMFWorkspaceReader.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 configparser import ConfigParser @@ -412,7 +412,12 @@ class ThreeMFWorkspaceReader(WorkspaceReader): quality_container_id = parser["containers"][str(_ContainerIndexes.Quality)] quality_type = "empty_quality" if quality_container_id not in ("empty", "empty_quality"): - quality_type = instance_container_info_dict[quality_container_id].parser["metadata"]["quality_type"] + if quality_container_id in instance_container_info_dict: + quality_type = instance_container_info_dict[quality_container_id].parser["metadata"]["quality_type"] + else: # If a version upgrade changed the quality profile in the stack, we'll need to look for it in the built-in profiles instead of the workspace. + quality_matches = ContainerRegistry.getInstance().findContainersMetadata(id = quality_container_id) + if quality_matches: # If there's no profile with this ID, leave it empty_quality. + quality_type = quality_matches[0]["quality_type"] # Get machine info serialized = archive.open(global_stack_file).read().decode("utf-8") diff --git a/plugins/3MFReader/plugin.json b/plugins/3MFReader/plugin.json index c0cbd52fcc..700fa89335 100644 --- a/plugins/3MFReader/plugin.json +++ b/plugins/3MFReader/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for reading 3MF files.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/3MFWriter/plugin.json b/plugins/3MFWriter/plugin.json index 4fb3feeb4e..b9d82581e9 100644 --- a/plugins/3MFWriter/plugin.json +++ b/plugins/3MFWriter/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for writing 3MF files.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/AMFReader/plugin.json b/plugins/AMFReader/plugin.json index 71b1ca0dae..87e47eb893 100644 --- a/plugins/AMFReader/plugin.json +++ b/plugins/AMFReader/plugin.json @@ -3,5 +3,5 @@ "author": "fieldOfView", "version": "1.0.0", "description": "Provides support for reading AMF files.", - "api": "7.5.0" + "api": "7.6.0" } diff --git a/plugins/CuraDrive/plugin.json b/plugins/CuraDrive/plugin.json index 5ba917ed1a..ed830c9c10 100644 --- a/plugins/CuraDrive/plugin.json +++ b/plugins/CuraDrive/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "description": "Backup and restore your configuration.", "version": "1.2.0", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/CuraEngineBackend/plugin.json b/plugins/CuraEngineBackend/plugin.json index 0a64fa4c8e..f0a042284f 100644 --- a/plugins/CuraEngineBackend/plugin.json +++ b/plugins/CuraEngineBackend/plugin.json @@ -2,7 +2,7 @@ "name": "CuraEngine Backend", "author": "Ultimaker B.V.", "description": "Provides the link to the CuraEngine slicing backend.", - "api": "7.5.0", + "api": "7.6.0", "version": "1.0.1", "i18n-catalog": "cura" } diff --git a/plugins/CuraProfileReader/plugin.json b/plugins/CuraProfileReader/plugin.json index 0845dcdcaf..efa3ddfa74 100644 --- a/plugins/CuraProfileReader/plugin.json +++ b/plugins/CuraProfileReader/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for importing Cura profiles.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/CuraProfileWriter/plugin.json b/plugins/CuraProfileWriter/plugin.json index be9ebf7169..626ad6b533 100644 --- a/plugins/CuraProfileWriter/plugin.json +++ b/plugins/CuraProfileWriter/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for exporting Cura profiles.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog":"cura" } diff --git a/plugins/DigitalLibrary/plugin.json b/plugins/DigitalLibrary/plugin.json index 77d9818421..b99e81b381 100644 --- a/plugins/DigitalLibrary/plugin.json +++ b/plugins/DigitalLibrary/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "description": "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library.", "version": "1.0.0", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/DigitalLibrary/resources/qml/OpenProjectFilesPage.qml b/plugins/DigitalLibrary/resources/qml/OpenProjectFilesPage.qml index e1918b3da7..5b237a3e48 100644 --- a/plugins/DigitalLibrary/resources/qml/OpenProjectFilesPage.qml +++ b/plugins/DigitalLibrary/resources/qml/OpenProjectFilesPage.qml @@ -65,6 +65,11 @@ Item model: manager.digitalFactoryFileModel visible: model.count != 0 && manager.retrievingFileStatus != DF.RetrievalStatus.InProgress selectionMode: OldControls.SelectionMode.SingleSelection + onDoubleClicked: + { + manager.setSelectedFileIndices([row]); + openFilesButton.clicked(); + } OldControls.TableViewColumn { diff --git a/plugins/DigitalLibrary/src/DFFileExportAndUploadManager.py b/plugins/DigitalLibrary/src/DFFileExportAndUploadManager.py index 93e24a0651..69163f9cdf 100644 --- a/plugins/DigitalLibrary/src/DFFileExportAndUploadManager.py +++ b/plugins/DigitalLibrary/src/DFFileExportAndUploadManager.py @@ -2,6 +2,7 @@ # Cura is released under the terms of the LGPLv3 or higher. import json import threading +from json import JSONDecodeError from typing import List, Dict, Any, Callable, Union, Optional from PyQt5.QtCore import QUrl @@ -43,7 +44,7 @@ class DFFileExportAndUploadManager: self._library_project_id = library_project_id # type: str self._library_project_name = library_project_name # type: str self._file_name = file_name # type: str - + self._upload_jobs = [] # type: List[ExportFileJob] self._formats = formats # type: List[str] self._api = DigitalFactoryApiClient(application = CuraApplication.getInstance(), on_error = lambda error: Logger.log("e", str(error))) @@ -80,6 +81,8 @@ class DFFileExportAndUploadManager: ) self._generic_success_message.actionTriggered.connect(self._onMessageActionTriggered) + + def _onCuraProjectFileExported(self, job: ExportFileJob) -> None: """Handler for when the DF Library workspace file (3MF) has been created locally. @@ -271,7 +274,11 @@ class DFFileExportAndUploadManager: def extractErrorTitle(reply_body: Optional[str]) -> str: error_title = "" if reply_body: - reply_dict = json.loads(reply_body) + try: + reply_dict = json.loads(reply_body) + except JSONDecodeError: + Logger.logException("w", "Unable to extract title from reply body") + return error_title if "errors" in reply_dict and len(reply_dict["errors"]) >= 1 and "title" in reply_dict["errors"][0]: error_title = reply_dict["errors"][0]["title"] return error_title @@ -313,8 +320,13 @@ class DFFileExportAndUploadManager: QDesktopServices.openUrl(QUrl(project_url)) message.hide() + def start(self) -> None: + for job in self._upload_jobs: + job.start() + def initializeFileUploadJobMetadata(self) -> Dict[str, Any]: metadata = {} + self._upload_jobs = [] if "3mf" in self._formats and "3mf" in self._file_handlers and self._file_handlers["3mf"]: filename_3mf = self._file_name + ".3mf" metadata[filename_3mf] = { @@ -335,7 +347,7 @@ class DFFileExportAndUploadManager: } job_3mf = ExportFileJob(self._file_handlers["3mf"], self._nodes, self._file_name, "3mf") job_3mf.finished.connect(self._onCuraProjectFileExported) - job_3mf.start() + self._upload_jobs.append(job_3mf) if "ufp" in self._formats and "ufp" in self._file_handlers and self._file_handlers["ufp"]: filename_ufp = self._file_name + ".ufp" @@ -357,5 +369,5 @@ class DFFileExportAndUploadManager: } job_ufp = ExportFileJob(self._file_handlers["ufp"], self._nodes, self._file_name, "ufp") job_ufp.finished.connect(self._onPrintFileExported) - job_ufp.start() + self._upload_jobs.append(job_ufp) return metadata diff --git a/plugins/DigitalLibrary/src/DigitalFactoryController.py b/plugins/DigitalLibrary/src/DigitalFactoryController.py index 33fcc506e7..352a8c70f2 100644 --- a/plugins/DigitalLibrary/src/DigitalFactoryController.py +++ b/plugins/DigitalLibrary/src/DigitalFactoryController.py @@ -385,6 +385,11 @@ class DigitalFactoryController(QObject): def _applicationInitializationFinished(self) -> None: self._supported_file_types = self._application.getInstance().getMeshFileHandler().getSupportedFileTypesRead() + # Although Cura supports these, it's super confusing in this context to show them. + for extension in ["jpg", "jpeg", "png", "bmp", "gif"]: + if extension in self._supported_file_types: + del self._supported_file_types[extension] + @pyqtSlot() def openSelectedFiles(self) -> None: """ Downloads, then opens all files selected in the Qt frontend open dialog. @@ -541,6 +546,7 @@ class DigitalFactoryController(QObject): on_upload_success = self.uploadFileSuccess.emit, on_upload_finished = self.uploadFileFinished.emit, on_upload_progress = self.uploadFileProgress.emit) + self.file_upload_manager.start() # Save the project id to make sure it will be preselected the next time the user opens the save dialog self._current_workspace_information.setEntryToStore("digital_factory", "library_project_id", library_project_id) diff --git a/plugins/DigitalLibrary/src/DigitalFactoryFileModel.py b/plugins/DigitalLibrary/src/DigitalFactoryFileModel.py index 718bd11cd2..535cce0e8f 100644 --- a/plugins/DigitalLibrary/src/DigitalFactoryFileModel.py +++ b/plugins/DigitalLibrary/src/DigitalFactoryFileModel.py @@ -40,6 +40,7 @@ class DigitalFactoryFileModel(ListModel): def setFiles(self, df_files_in_project: List[DigitalFactoryFileResponse]) -> None: if self._files == df_files_in_project: return + self.clear() self._files = df_files_in_project self._update() diff --git a/plugins/DigitalLibrary/src/DigitalFactoryProjectModel.py b/plugins/DigitalLibrary/src/DigitalFactoryProjectModel.py index 30c04c7177..d76774cab1 100644 --- a/plugins/DigitalLibrary/src/DigitalFactoryProjectModel.py +++ b/plugins/DigitalLibrary/src/DigitalFactoryProjectModel.py @@ -21,7 +21,7 @@ class DigitalFactoryProjectModel(ListModel): dfProjectModelChanged = pyqtSignal() - def __init__(self, parent = None): + def __init__(self, parent = None) -> None: super().__init__(parent) self.addRoleName(self.DisplayNameRole, "displayName") self.addRoleName(self.LibraryProjectIdRole, "libraryProjectId") diff --git a/plugins/DigitalLibrary/tests/TestDFFileExportAndUploadManager.py b/plugins/DigitalLibrary/tests/TestDFFileExportAndUploadManager.py new file mode 100644 index 0000000000..2fb0ae4142 --- /dev/null +++ b/plugins/DigitalLibrary/tests/TestDFFileExportAndUploadManager.py @@ -0,0 +1,48 @@ +from unittest.mock import MagicMock, patch + +import pytest +from src.DFFileExportAndUploadManager import DFFileExportAndUploadManager + + +@pytest.fixture +def upload_manager(): + file_handler = MagicMock(name = "file_handler") + file_handler.getSupportedFileTypesWrite = MagicMock(return_value = [{ + "id": "test", + "extension": ".3mf", + "description": "nope", + "mime_type": "application/vnd.ms-package.3dmanufacturing-3dmodel+xml", + "mode": "binary", + "hide_in_file_dialog": True, + }]) + node = MagicMock(name = "SceneNode") + application = MagicMock(name = "CuraApplication") + with patch("cura.CuraApplication.CuraApplication.getInstance", MagicMock(return_value = application)): + return DFFileExportAndUploadManager(file_handlers = {"3mf": file_handler}, + nodes = [node], + library_project_id = "test_library_project_id", + library_project_name = "test_library_project_name", + file_name = "file_name", + formats = ["3mf"], + on_upload_error = MagicMock(), + on_upload_success = MagicMock(), + on_upload_finished = MagicMock(), + on_upload_progress = MagicMock()) + + +@pytest.mark.parametrize("input,expected_result", + [("", ""), + ("invalid json! {}", ""), + ("{\"errors\": [{}]}", ""), + ("{\"errors\": [{\"title\": \"some title\"}]}", "some title")]) +def test_extractErrorTitle(upload_manager, input, expected_result): + assert upload_manager.extractErrorTitle(input) == expected_result + + +def test_exportJobError(upload_manager): + mocked_application = MagicMock() + with patch("UM.Application.Application.getInstance", MagicMock(return_value = mocked_application)): + upload_manager._onJobExportError("file_name.3mf") + + # Ensure that message was displayed + mocked_application.showMessageSignal.emit.assert_called_once() diff --git a/plugins/DigitalLibrary/tests/TestDigitalFactoryFileModel.py b/plugins/DigitalLibrary/tests/TestDigitalFactoryFileModel.py new file mode 100644 index 0000000000..7817d03516 --- /dev/null +++ b/plugins/DigitalLibrary/tests/TestDigitalFactoryFileModel.py @@ -0,0 +1,73 @@ +from pathlib import Path + +from src.DigitalFactoryFileModel import DigitalFactoryFileModel +from src.DigitalFactoryFileResponse import DigitalFactoryFileResponse + + +file_1 = DigitalFactoryFileResponse(client_id = "client_id_1", + content_type = "zomg", + file_name = "file_1.3mf", + file_id = "file_id_1", + library_project_id = "project_id_1", + status = "test", + user_id = "user_id_1", + username = "username_1", + uploaded_at = "2021-04-07T10:33:25.000Z") + +file_2 = DigitalFactoryFileResponse(client_id ="client_id_2", + content_type = "zomg", + file_name = "file_2.3mf", + file_id = "file_id_2", + library_project_id = "project_id_2", + status = "test", + user_id = "user_id_2", + username = "username_2", + uploaded_at = "2021-02-06T09:33:22.000Z") + +file_wtf = DigitalFactoryFileResponse(client_id ="client_id_1", + content_type = "zomg", + file_name = "file_3.wtf", + file_id = "file_id_3", + library_project_id = "project_id_1", + status = "test", + user_id = "user_id_1", + username = "username_1", + uploaded_at = "2021-04-06T12:33:25.000Z") + + +def test_setFiles(): + model = DigitalFactoryFileModel() + + assert model.count == 0 + + model.setFiles([file_1, file_2]) + assert model.count == 2 + + assert model.getItem(0)["fileName"] == "file_1.3mf" + assert model.getItem(1)["fileName"] == "file_2.3mf" + + +def test_clearProjects(): + model = DigitalFactoryFileModel() + model.setFiles([file_1, file_2]) + model.clearFiles() + assert model.count == 0 + + +def test_setProjectMultipleTimes(): + model = DigitalFactoryFileModel() + model.setFiles([file_1, file_2]) + model.setFiles([file_2]) + assert model.count == 1 + assert model.getItem(0)["fileName"] == "file_2.3mf" + + +def test_setFilter(): + model = DigitalFactoryFileModel() + + model.setFiles([file_1, file_2, file_wtf]) + model.setFilters({"file_name": lambda x: Path(x).suffix[1:].lower() in ["3mf"]}) + assert model.count == 2 + + model.clearFilters() + assert model.count == 3 diff --git a/plugins/DigitalLibrary/tests/TestDigitalFactoryProjectModel.py b/plugins/DigitalLibrary/tests/TestDigitalFactoryProjectModel.py new file mode 100644 index 0000000000..890f62f3f6 --- /dev/null +++ b/plugins/DigitalLibrary/tests/TestDigitalFactoryProjectModel.py @@ -0,0 +1,55 @@ + +from src.DigitalFactoryProjectModel import DigitalFactoryProjectModel +from src.DigitalFactoryProjectResponse import DigitalFactoryProjectResponse + + +project_1 = DigitalFactoryProjectResponse(library_project_id = "omg", + display_name = "zomg", + username = "nope", + organization_shared = True) + +project_2 = DigitalFactoryProjectResponse(library_project_id = "omg2", + display_name = "zomg2", + username = "nope", + organization_shared = False) + + +def test_setProjects(): + model = DigitalFactoryProjectModel() + + assert model.count == 0 + + model.setProjects([project_1, project_2]) + assert model.count == 2 + + assert model.getItem(0)["displayName"] == "zomg" + assert model.getItem(1)["displayName"] == "zomg2" + + +def test_clearProjects(): + model = DigitalFactoryProjectModel() + model.setProjects([project_1, project_2]) + model.clearProjects() + assert model.count == 0 + + +def test_setProjectMultipleTimes(): + model = DigitalFactoryProjectModel() + model.setProjects([project_1, project_2]) + model.setProjects([project_2]) + assert model.count == 1 + assert model.getItem(0)["displayName"] == "zomg2" + + +def test_extendProjects(): + model = DigitalFactoryProjectModel() + + assert model.count == 0 + + model.setProjects([project_1]) + assert model.count == 1 + + model.extendProjects([project_2]) + assert model.count == 2 + assert model.getItem(0)["displayName"] == "zomg" + assert model.getItem(1)["displayName"] == "zomg2" diff --git a/plugins/DigitalLibrary/tests/TestDigitalLibraryApiClient.py b/plugins/DigitalLibrary/tests/TestDigitalLibraryApiClient.py new file mode 100644 index 0000000000..ba0a0b15b4 --- /dev/null +++ b/plugins/DigitalLibrary/tests/TestDigitalLibraryApiClient.py @@ -0,0 +1,86 @@ +from unittest.mock import MagicMock + +import pytest + +from cura.CuraApplication import CuraApplication +from src.DigitalFactoryApiClient import DigitalFactoryApiClient +from src.PaginationManager import PaginationManager + + +@pytest.fixture +def application(): + app = MagicMock(spec=CuraApplication, name = "Mocked Cura Application") + return app + + +@pytest.fixture +def pagination_manager(): + manager = MagicMock(name = "Mocked Pagination Manager") + return manager + + +@pytest.fixture +def api_client(application, pagination_manager): + api_client = DigitalFactoryApiClient(application, MagicMock()) + api_client._projects_pagination_mgr = pagination_manager + return api_client + + +def test_getProjectsFirstPage(api_client): + # setup + http_manager = MagicMock() + api_client._http = http_manager + pagination_manager = api_client._projects_pagination_mgr + pagination_manager.limit = 20 + + finished_callback = MagicMock() + failed_callback = MagicMock() + + # Call + api_client.getProjectsFirstPage(on_finished = finished_callback, failed = failed_callback) + + # Asserts + pagination_manager.reset.assert_called_once() # Should be called since we asked for new set of projects + http_manager.get.assert_called_once() + args = http_manager.get.call_args_list[0] + + # Ensure that it's called with the right limit + assert args[0][0] == "https://api.ultimaker.com/cura/v1/projects?limit=20" + + # Change the limit & try again + http_manager.get.reset_mock() + pagination_manager.limit = 80 + api_client.getProjectsFirstPage(on_finished = finished_callback, failed = failed_callback) + args = http_manager.get.call_args_list[0] + + # Ensure that it's called with the right limit + assert args[0][0] == "https://api.ultimaker.com/cura/v1/projects?limit=80" + + +def test_getMoreProjects_noNewProjects(api_client): + api_client.hasMoreProjectsToLoad = MagicMock(return_value = False) + http_manager = MagicMock() + api_client._http = http_manager + + finished_callback = MagicMock() + failed_callback = MagicMock() + api_client.getMoreProjects(finished_callback, failed_callback) + + http_manager.get.assert_not_called() + + +def test_getMoreProjects_hasNewProjects(api_client): + api_client.hasMoreProjectsToLoad = MagicMock(return_value = True) + http_manager = MagicMock() + api_client._http = http_manager + + finished_callback = MagicMock() + failed_callback = MagicMock() + api_client.getMoreProjects(finished_callback, failed_callback) + + http_manager.get.assert_called_once() + + +def test_clear(api_client): + api_client.clear() + api_client._projects_pagination_mgr.reset.assert_called_once() diff --git a/plugins/DigitalLibrary/tests/conftest.py b/plugins/DigitalLibrary/tests/conftest.py new file mode 100644 index 0000000000..2afda2a171 --- /dev/null +++ b/plugins/DigitalLibrary/tests/conftest.py @@ -0,0 +1,5 @@ + +# Ensure that the importing for all tests work +import sys +import os +sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "..")) diff --git a/plugins/FirmwareUpdateChecker/plugin.json b/plugins/FirmwareUpdateChecker/plugin.json index 84f46b52c6..bc46b95b66 100644 --- a/plugins/FirmwareUpdateChecker/plugin.json +++ b/plugins/FirmwareUpdateChecker/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Checks for firmware updates.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/FirmwareUpdater/plugin.json b/plugins/FirmwareUpdater/plugin.json index 974434d6e5..b1eb5c24fe 100644 --- a/plugins/FirmwareUpdater/plugin.json +++ b/plugins/FirmwareUpdater/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides a machine actions for updating firmware.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/GCodeGzReader/plugin.json b/plugins/GCodeGzReader/plugin.json index 690defe6d6..afb6a240ff 100644 --- a/plugins/GCodeGzReader/plugin.json +++ b/plugins/GCodeGzReader/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Reads g-code from a compressed archive.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/GCodeGzWriter/plugin.json b/plugins/GCodeGzWriter/plugin.json index 9c7a8367ef..3ca1a9ff41 100644 --- a/plugins/GCodeGzWriter/plugin.json +++ b/plugins/GCodeGzWriter/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Writes g-code to a compressed archive.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/GCodeProfileReader/plugin.json b/plugins/GCodeProfileReader/plugin.json index 4054e10df7..d26ca2d56c 100644 --- a/plugins/GCodeProfileReader/plugin.json +++ b/plugins/GCodeProfileReader/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for importing profiles from g-code files.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/GCodeReader/plugin.json b/plugins/GCodeReader/plugin.json index ee3b215182..c0c3669668 100644 --- a/plugins/GCodeReader/plugin.json +++ b/plugins/GCodeReader/plugin.json @@ -3,6 +3,6 @@ "author": "Victor Larchenko, Ultimaker B.V.", "version": "1.0.1", "description": "Allows loading and displaying G-code files.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/GCodeWriter/plugin.json b/plugins/GCodeWriter/plugin.json index 2a00cb5980..8a4138f4e1 100644 --- a/plugins/GCodeWriter/plugin.json +++ b/plugins/GCodeWriter/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Writes g-code to a file.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/ImageReader/plugin.json b/plugins/ImageReader/plugin.json index aec2a0a24e..e0d23a97fe 100644 --- a/plugins/ImageReader/plugin.json +++ b/plugins/ImageReader/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Enables ability to generate printable geometry from 2D image files.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/LegacyProfileReader/plugin.json b/plugins/LegacyProfileReader/plugin.json index 811c5fc6c4..bab8f4f6b8 100644 --- a/plugins/LegacyProfileReader/plugin.json +++ b/plugins/LegacyProfileReader/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for importing profiles from legacy Cura versions.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/MachineSettingsAction/plugin.json b/plugins/MachineSettingsAction/plugin.json index 881ed89523..97805d7380 100644 --- a/plugins/MachineSettingsAction/plugin.json +++ b/plugins/MachineSettingsAction/plugin.json @@ -3,6 +3,6 @@ "author": "fieldOfView, Ultimaker B.V.", "version": "1.0.1", "description": "Provides a way to change machine settings (such as build volume, nozzle size, etc.).", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/ModelChecker/plugin.json b/plugins/ModelChecker/plugin.json index 7444fa2008..d2dd1f7de8 100644 --- a/plugins/ModelChecker/plugin.json +++ b/plugins/ModelChecker/plugin.json @@ -2,7 +2,7 @@ "name": "Model Checker", "author": "Ultimaker B.V.", "version": "1.0.1", - "api": "7.5.0", + "api": "7.6.0", "description": "Checks models and print configuration for possible printing issues and give suggestions.", "i18n-catalog": "cura" } diff --git a/plugins/MonitorStage/plugin.json b/plugins/MonitorStage/plugin.json index de47e872a0..ed0c815f37 100644 --- a/plugins/MonitorStage/plugin.json +++ b/plugins/MonitorStage/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides a monitor stage in Cura.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } \ No newline at end of file diff --git a/plugins/PerObjectSettingsTool/PerObjectSettingVisibilityHandler.py b/plugins/PerObjectSettingsTool/PerObjectSettingVisibilityHandler.py index 445f7ff676..401396f2b8 100644 --- a/plugins/PerObjectSettingsTool/PerObjectSettingVisibilityHandler.py +++ b/plugins/PerObjectSettingsTool/PerObjectSettingVisibilityHandler.py @@ -73,38 +73,40 @@ class PerObjectSettingVisibilityHandler(UM.Settings.Models.SettingVisibilityHand # Add all instances that are not added, but are in visibility list for item in visible: - if settings.getInstance(item) is None: # Setting was not added already. - definition = self._stack.getSettingDefinition(item) - if definition: - new_instance = SettingInstance(definition, settings) + if settings.getInstance(item) is not None: # Setting was added already. + continue + definition = self._stack.getSettingDefinition(item) + if not definition: + Logger.log("w", f"Unable to add instance ({item}) to per-object visibility because we couldn't find the matching definition.") + continue + + new_instance = SettingInstance(definition, settings) + stack_nr = -1 + stack = None + # Check from what stack we should copy the raw property of the setting from. + if self._stack.getProperty("machine_extruder_count", "value") > 1: + if definition.limit_to_extruder != "-1": + # A limit to extruder function was set and it's a multi extrusion machine. Check what stack we do need to use. + stack_nr = str(int(round(float(self._stack.getProperty(item, "limit_to_extruder"))))) + + # Check if the found stack_number is in the extruder list of extruders. + if stack_nr not in ExtruderManager.getInstance().extruderIds and self._stack.getProperty("extruder_nr", "value") is not None: stack_nr = -1 - stack = None - # Check from what stack we should copy the raw property of the setting from. - if self._stack.getProperty("machine_extruder_count", "value") > 1: - if definition.limit_to_extruder != "-1": - # A limit to extruder function was set and it's a multi extrusion machine. Check what stack we do need to use. - stack_nr = str(int(round(float(self._stack.getProperty(item, "limit_to_extruder"))))) - # Check if the found stack_number is in the extruder list of extruders. - if stack_nr not in ExtruderManager.getInstance().extruderIds and self._stack.getProperty("extruder_nr", "value") is not None: - stack_nr = -1 + # Use the found stack number to get the right stack to copy the value from. + if stack_nr in ExtruderManager.getInstance().extruderIds: + stack = ContainerRegistry.getInstance().findContainerStacks(id = ExtruderManager.getInstance().extruderIds[stack_nr])[0] + else: + stack = self._stack - # Use the found stack number to get the right stack to copy the value from. - if stack_nr in ExtruderManager.getInstance().extruderIds: - stack = ContainerRegistry.getInstance().findContainerStacks(id = ExtruderManager.getInstance().extruderIds[stack_nr])[0] - else: - stack = self._stack - - # Use the raw property to set the value (so the inheritance doesn't break) - if stack is not None: - new_instance.setProperty("value", stack.getRawProperty(item, "value")) - else: - new_instance.setProperty("value", None) - new_instance.resetState() # Ensure that the state is not seen as a user state. - settings.addInstance(new_instance) - visibility_changed = True - else: - Logger.log("w", "Unable to add instance (%s) to per-object visibility because we couldn't find the matching definition", item) + # Use the raw property to set the value (so the inheritance doesn't break) + if stack is not None: + new_instance.setProperty("value", stack.getRawProperty(item, "value")) + else: + new_instance.setProperty("value", None) + new_instance.resetState() # Ensure that the state is not seen as a user state. + settings.addInstance(new_instance) + visibility_changed = True if visibility_changed: self.visibilityChanged.emit() diff --git a/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml b/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml index 05507fc4a2..7ab4bdb1a1 100644 --- a/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml +++ b/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml @@ -1,4 +1,4 @@ -// Copyright (c) 2017 Ultimaker B.V. +// Copyright (c) 2021 Ultimaker B.V. // Uranium is released under the terms of the LGPLv3 or higher. import QtQuick 2.2 @@ -136,10 +136,12 @@ Item } - ComboBox + Cura.ComboBox { id: infillOnlyComboBox width: parent.width / 2 - UM.Theme.getSize("default_margin").width + height: UM.Theme.getSize("setting_control").height + textRole: "text" model: ListModel { diff --git a/plugins/PerObjectSettingsTool/plugin.json b/plugins/PerObjectSettingsTool/plugin.json index 2d9faabb67..15d53d6c06 100644 --- a/plugins/PerObjectSettingsTool/plugin.json +++ b/plugins/PerObjectSettingsTool/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides the Per Model Settings.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/PostProcessingPlugin/__init__.py b/plugins/PostProcessingPlugin/__init__.py index 019627ebd5..4b3045021f 100644 --- a/plugins/PostProcessingPlugin/__init__.py +++ b/plugins/PostProcessingPlugin/__init__.py @@ -1,14 +1,6 @@ # Copyright (c) 2020 Jaime van Kessel, Ultimaker B.V. # The PostProcessingPlugin is released under the terms of the AGPLv3 or higher. -# Workaround for a race condition on certain systems where there -# is a race condition between Arcus and PyQt. Importing Arcus -# first seems to prevent Sip from going into a state where it -# tries to create PyQt objects on a non-main thread. -import Arcus # @UnusedImport -import Savitar # @UnusedImport -import pynest2d # @UnusedImport - from . import PostProcessingPlugin diff --git a/plugins/PostProcessingPlugin/plugin.json b/plugins/PostProcessingPlugin/plugin.json index c44c6a74e4..da0479f8e8 100644 --- a/plugins/PostProcessingPlugin/plugin.json +++ b/plugins/PostProcessingPlugin/plugin.json @@ -2,7 +2,7 @@ "name": "Post Processing", "author": "Ultimaker", "version": "2.2.1", - "api": "7.5.0", + "api": "7.6.0", "description": "Extension that allows for user created scripts for post processing", "catalog": "cura" } \ No newline at end of file diff --git a/plugins/PostProcessingPlugin/scripts/FilamentChange.py b/plugins/PostProcessingPlugin/scripts/FilamentChange.py index 74b9687f8c..17ff045b8d 100644 --- a/plugins/PostProcessingPlugin/scripts/FilamentChange.py +++ b/plugins/PostProcessingPlugin/scripts/FilamentChange.py @@ -1,6 +1,9 @@ -# Copyright (c) 2019 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # The PostProcessingPlugin is released under the terms of the AGPLv3 or higher. +# Modification 06.09.2020 +# add checkbox, now you can choose and use configuration from the firmware itself. + from typing import List from ..Script import Script @@ -13,7 +16,7 @@ class FilamentChange(Script): def getSettingDataString(self): return """{ - "name":"Filament Change", + "name": "Filament Change", "key": "FilamentChange", "metadata": {}, "version": 2, @@ -27,14 +30,21 @@ class FilamentChange(Script): "type": "str", "default_value": "1" }, - + "firmware_config": + { + "label": "Use Firmware Configuration", + "description": "Use the settings in your firmware, or customise the parameters of the filament change here.", + "type": "bool", + "default_value": false + }, "initial_retract": { "label": "Initial Retraction", "description": "Initial filament retraction distance. The filament will be retracted with this amount before moving the nozzle away from the ongoing print.", "unit": "mm", "type": "float", - "default_value": 30.0 + "default_value": 30.0, + "enabled": "not firmware_config" }, "later_retract": { @@ -42,7 +52,8 @@ class FilamentChange(Script): "description": "Later filament retraction distance for removal. The filament will be retracted all the way out of the printer so that you can change the filament.", "unit": "mm", "type": "float", - "default_value": 300.0 + "default_value": 300.0, + "enabled": "not firmware_config" }, "x_position": { @@ -50,7 +61,8 @@ class FilamentChange(Script): "description": "Extruder X position. The print head will move here for filament change.", "unit": "mm", "type": "float", - "default_value": 0 + "default_value": 0, + "enabled": "not firmware_config" }, "y_position": { @@ -58,7 +70,17 @@ class FilamentChange(Script): "description": "Extruder Y position. The print head will move here for filament change.", "unit": "mm", "type": "float", - "default_value": 0 + "default_value": 0, + "enabled": "not firmware_config" + }, + "z_position": + { + "label": "Z Position (relative)", + "description": "Extruder relative Z position. Move the print head up for filament change.", + "unit": "mm", + "type": "float", + "default_value": 0, + "minimum_value": 0 } } }""" @@ -74,20 +96,26 @@ class FilamentChange(Script): later_retract = self.getSettingValueByKey("later_retract") x_pos = self.getSettingValueByKey("x_position") y_pos = self.getSettingValueByKey("y_position") + z_pos = self.getSettingValueByKey("z_position") + firmware_config = self.getSettingValueByKey("firmware_config") color_change = "M600" - if initial_retract is not None and initial_retract > 0.: - color_change = color_change + (" E%.2f" % initial_retract) + if not firmware_config: + if initial_retract is not None and initial_retract > 0.: + color_change = color_change + (" E%.2f" % initial_retract) - if later_retract is not None and later_retract > 0.: - color_change = color_change + (" L%.2f" % later_retract) + if later_retract is not None and later_retract > 0.: + color_change = color_change + (" L%.2f" % later_retract) - if x_pos is not None: - color_change = color_change + (" X%.2f" % x_pos) - - if y_pos is not None: - color_change = color_change + (" Y%.2f" % y_pos) + if x_pos is not None: + color_change = color_change + (" X%.2f" % x_pos) + + if y_pos is not None: + color_change = color_change + (" Y%.2f" % y_pos) + + if z_pos is not None and z_pos > 0.: + color_change = color_change + (" Z%.2f" % z_pos) color_change = color_change + " ; Generated by FilamentChange plugin\n" @@ -101,4 +129,4 @@ class FilamentChange(Script): if 0 < layer_num < len(data): data[layer_num] = color_change + data[layer_num] - return data \ No newline at end of file + return data diff --git a/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py b/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py index eea4d38560..a9e570e0cb 100644 --- a/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py +++ b/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py @@ -387,7 +387,7 @@ class PauseAtHeight(Script): #Retraction prepend_gcode += self.putValue(M = 83) + " ; switch to relative E values for any needed retraction\n" if retraction_amount != 0: - prepend_gcode += self.putValue(G = 1, E = retraction_amount, F = 6000) + "\n" + prepend_gcode += self.putValue(G = 1, E = -retraction_amount, F = 6000) + "\n" #Move the head away prepend_gcode += self.putValue(G = 1, Z = current_z + 1, F = 300) + " ; move up a millimeter to get out of the way\n" @@ -507,7 +507,15 @@ class PauseAtHeight(Script): else: Logger.log("w", "No previous feedrate found in gcode, feedrate for next layer(s) might be incorrect") - prepend_gcode += self.putValue(M = 82) + " ; switch back to absolute E values\n" + extrusion_mode_string = "absolute" + extrusion_mode_numeric = 82 + + relative_extrusion = Application.getInstance().getGlobalContainerStack().getProperty("relative_extrusion", "value") + if relative_extrusion: + extrusion_mode_string = "relative" + extrusion_mode_numeric = 83 + + prepend_gcode += self.putValue(M = extrusion_mode_numeric) + " ; switch back to " + extrusion_mode_string + " E values\n" # reset extrude value to pre pause value prepend_gcode += self.putValue(G = 92, E = current_e) + "\n" diff --git a/plugins/PrepareStage/plugin.json b/plugins/PrepareStage/plugin.json index e575d78951..e584c9cd83 100644 --- a/plugins/PrepareStage/plugin.json +++ b/plugins/PrepareStage/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides a prepare stage in Cura.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } \ No newline at end of file diff --git a/plugins/PreviewStage/plugin.json b/plugins/PreviewStage/plugin.json index b12784bb7c..517a1851ae 100644 --- a/plugins/PreviewStage/plugin.json +++ b/plugins/PreviewStage/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides a preview stage in Cura.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } \ No newline at end of file diff --git a/plugins/RemovableDriveOutputDevice/plugin.json b/plugins/RemovableDriveOutputDevice/plugin.json index d914afc717..0cc4adcb10 100644 --- a/plugins/RemovableDriveOutputDevice/plugin.json +++ b/plugins/RemovableDriveOutputDevice/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "description": "Provides removable drive hotplugging and writing support.", "version": "1.0.1", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/SentryLogger/plugin.json b/plugins/SentryLogger/plugin.json index e0f386adf6..668912072c 100644 --- a/plugins/SentryLogger/plugin.json +++ b/plugins/SentryLogger/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Logs certain events so that they can be used by the crash reporter", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/SimulationView/SimulationPass.py b/plugins/SimulationView/SimulationPass.py index 506bc5a01d..2754fb5d94 100644 --- a/plugins/SimulationView/SimulationPass.py +++ b/plugins/SimulationView/SimulationPass.py @@ -65,7 +65,7 @@ class SimulationPass(RenderPass): self._layer_shader.setUniformValue("u_active_extruder", float(max(0, self._extruder_manager.activeExtruderIndex))) if not self._compatibility_mode: self._layer_shader.setUniformValue("u_starts_color", Color(*Application.getInstance().getTheme().getColor("layerview_starts").getRgb())) - + if self._layer_view: self._layer_shader.setUniformValue("u_max_feedrate", self._layer_view.getMaxFeedrate()) self._layer_shader.setUniformValue("u_min_feedrate", self._layer_view.getMinFeedrate()) @@ -73,6 +73,8 @@ class SimulationPass(RenderPass): self._layer_shader.setUniformValue("u_min_thickness", self._layer_view.getMinThickness()) self._layer_shader.setUniformValue("u_max_line_width", self._layer_view.getMaxLineWidth()) self._layer_shader.setUniformValue("u_min_line_width", self._layer_view.getMinLineWidth()) + self._layer_shader.setUniformValue("u_max_flow_rate", self._layer_view.getMaxFlowRate()) + self._layer_shader.setUniformValue("u_min_flow_rate", self._layer_view.getMinFlowRate()) self._layer_shader.setUniformValue("u_layer_view_type", self._layer_view.getSimulationViewType()) self._layer_shader.setUniformValue("u_extruder_opacity", self._layer_view.getExtruderOpacities()) self._layer_shader.setUniformValue("u_show_travel_moves", self._layer_view.getShowTravelMoves()) @@ -86,6 +88,8 @@ class SimulationPass(RenderPass): self._layer_shader.setUniformValue("u_min_feedrate", 0) self._layer_shader.setUniformValue("u_max_thickness", 1) self._layer_shader.setUniformValue("u_min_thickness", 0) + self._layer_shader.setUniformValue("u_max_flow_rate", 1) + self._layer_shader.setUniformValue("u_min_flow_rate", 0) self._layer_shader.setUniformValue("u_max_line_width", 1) self._layer_shader.setUniformValue("u_min_line_width", 0) self._layer_shader.setUniformValue("u_layer_view_type", 1) @@ -174,9 +178,9 @@ class SimulationPass(RenderPass): self._switching_layers = True # The first line does not have a previous line: add a MoveCombingType in front for start detection - # this way the first start of the layer can also be drawn + # this way the first start of the layer can also be drawn prev_line_types = numpy.concatenate([numpy.asarray([LayerPolygon.MoveCombingType], dtype = numpy.float32), layer_data._attributes["line_types"]["value"]]) - # Remove the last element + # Remove the last element prev_line_types = prev_line_types[0:layer_data._attributes["line_types"]["value"].size] layer_data._attributes["prev_line_types"] = {'opengl_type': 'float', 'value': prev_line_types, 'opengl_name': 'a_prev_line_type'} diff --git a/plugins/SimulationView/SimulationView.py b/plugins/SimulationView/SimulationView.py index 9494e42a5e..57209f2678 100644 --- a/plugins/SimulationView/SimulationView.py +++ b/plugins/SimulationView/SimulationView.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. import sys @@ -30,6 +30,7 @@ from UM.View.GL.ShaderProgram import ShaderProgram from UM.i18n import i18nCatalog from cura.CuraView import CuraView +from cura.LayerPolygon import LayerPolygon # To distinguish line types. from cura.Scene.ConvexHullNode import ConvexHullNode from cura.CuraApplication import CuraApplication @@ -93,6 +94,8 @@ class SimulationView(CuraView): self._min_thickness = sys.float_info.max self._max_line_width = sys.float_info.min self._min_line_width = sys.float_info.max + self._min_flow_rate = sys.float_info.max + self._max_flow_rate = sys.float_info.min self._global_container_stack = None # type: Optional[ContainerStack] self._proxy = None @@ -115,6 +118,7 @@ class SimulationView(CuraView): Application.getInstance().getPreferences().addPreference("layerview/show_infill", True) Application.getInstance().getPreferences().addPreference("layerview/show_starts", True) + self.visibleStructuresChanged.connect(self.calculateColorSchemeLimits) self._updateWithPreferences() self._solid_layers = int(Application.getInstance().getPreferences().getValue("view/top_layer_count")) @@ -198,6 +202,7 @@ class SimulationView(CuraView): if node.getMeshData() is None: return self.setActivity(False) + self.calculateColorSchemeLimits() self.calculateMaxLayers() self.calculateMaxPathsOnLayer(self._current_layer_num) @@ -218,12 +223,6 @@ class SimulationView(CuraView): def resetLayerData(self) -> None: self._current_layer_mesh = None self._current_layer_jumps = None - self._max_feedrate = sys.float_info.min - self._min_feedrate = sys.float_info.max - self._max_thickness = sys.float_info.min - self._min_thickness = sys.float_info.max - self._max_line_width = sys.float_info.min - self._min_line_width = sys.float_info.max def beginRendering(self) -> None: scene = self.getController().getScene() @@ -248,58 +247,59 @@ class SimulationView(CuraView): renderer.queueNode(node, transparent = True, shader = self._ghost_shader) def setLayer(self, value: int) -> None: + """ + Set the upper end of the range of visible layers. + + If setting it below the lower end of the range, the lower end is lowered so that 1 layer stays visible. + :param value: The new layer number to show, 0-indexed. + """ if self._current_layer_num != value: - self._current_layer_num = value - if self._current_layer_num < 0: - self._current_layer_num = 0 - if self._current_layer_num > self._max_layers: - self._current_layer_num = self._max_layers - if self._current_layer_num < self._minimum_layer_num: - self._minimum_layer_num = self._current_layer_num + self._current_layer_num = min(max(value, 0), self._max_layers) + self._minimum_layer_num = min(self._current_layer_num, self._minimum_layer_num) self._startUpdateTopLayers() - self.currentLayerNumChanged.emit() def setMinimumLayer(self, value: int) -> None: + """ + Set the lower end of the range of visible layers. + + If setting it above the upper end of the range, the upper end is increased so that 1 layer stays visible. + :param value: The new lower end of the range of visible layers, 0-indexed. + """ if self._minimum_layer_num != value: - self._minimum_layer_num = value - if self._minimum_layer_num < 0: - self._minimum_layer_num = 0 - if self._minimum_layer_num > self._max_layers: - self._minimum_layer_num = self._max_layers - if self._minimum_layer_num > self._current_layer_num: - self._current_layer_num = self._minimum_layer_num + self._minimum_layer_num = min(max(value, 0), self._max_layers) + self._current_layer_num = max(self._current_layer_num, self._minimum_layer_num) self._startUpdateTopLayers() - self.currentLayerNumChanged.emit() def setPath(self, value: int) -> None: + """ + Set the upper end of the range of visible paths on the current layer. + + If setting it below the lower end of the range, the lower end is lowered so that 1 path stays visible. + :param value: The new path index to show, 0-indexed. + """ if self._current_path_num != value: - self._current_path_num = value - if self._current_path_num < 0: - self._current_path_num = 0 - if self._current_path_num > self._max_paths: - self._current_path_num = self._max_paths - if self._current_path_num < self._minimum_path_num: - self._minimum_path_num = self._current_path_num + self._current_path_num = min(max(value, 0), self._max_paths) + self._minimum_path_num = min(self._minimum_path_num, self._current_path_num) self._startUpdateTopLayers() self.currentPathNumChanged.emit() def setMinimumPath(self, value: int) -> None: + """ + Set the lower end of the range of visible paths on the current layer. + + If setting it above the upper end of the range, the upper end is increased so that 1 path stays visible. + :param value: The new lower end of the range of visible paths, 0-indexed. + """ if self._minimum_path_num != value: - self._minimum_path_num = value - if self._minimum_path_num < 0: - self._minimum_path_num = 0 - if self._minimum_path_num > self._max_layers: - self._minimum_path_num = self._max_layers - if self._minimum_path_num > self._current_path_num: - self._current_path_num = self._minimum_path_num + self._minimum_path_num = min(max(value, 0), self._max_paths) + self._current_path_num = max(self._current_path_num, self._minimum_path_num) self._startUpdateTopLayers() - self.currentPathNumChanged.emit() def setSimulationViewType(self, layer_view_type: int) -> None: @@ -333,37 +333,52 @@ class SimulationView(CuraView): # If more than 16 extruders are called for, this should be converted to a sampler1d. return Matrix(self._extruder_opacity) - def setShowTravelMoves(self, show): + def setShowTravelMoves(self, show: bool) -> None: + if show == self._show_travel_moves: + return self._show_travel_moves = show self.currentLayerNumChanged.emit() + self.visibleStructuresChanged.emit() - def getShowTravelMoves(self): + def getShowTravelMoves(self) -> bool: return self._show_travel_moves def setShowHelpers(self, show: bool) -> None: + if show == self._show_helpers: + return self._show_helpers = show self.currentLayerNumChanged.emit() + self.visibleStructuresChanged.emit() def getShowHelpers(self) -> bool: return self._show_helpers def setShowSkin(self, show: bool) -> None: + if show == self._show_skin: + return self._show_skin = show self.currentLayerNumChanged.emit() + self.visibleStructuresChanged.emit() def getShowSkin(self) -> bool: return self._show_skin def setShowInfill(self, show: bool) -> None: + if show == self._show_infill: + return self._show_infill = show self.currentLayerNumChanged.emit() + self.visibleStructuresChanged.emit() def getShowInfill(self) -> bool: return self._show_infill def setShowStarts(self, show: bool) -> None: + if show == self._show_starts: + return self._show_starts = show self.currentLayerNumChanged.emit() + self.visibleStructuresChanged.emit() def getShowStarts(self) -> bool: return self._show_starts @@ -398,12 +413,23 @@ class SimulationView(CuraView): return 0.0 # If it's still max-float, there are no measurements. Use 0 then. return self._min_line_width + def getMaxFlowRate(self) -> float: + return self._max_flow_rate + + def getMinFlowRate(self) -> float: + if abs(self._min_flow_rate - sys.float_info.max) < 10: # Some lenience due to floating point rounding. + return 0.0 # If it's still max-float, there are no measurements. Use 0 then. + return self._min_flow_rate + def calculateMaxLayers(self) -> None: + """ + Calculates number of layers, triggers signals if the number of layers changed and makes sure the top layers are + recalculated for legacy layer view. + """ scene = self.getController().getScene() self._old_max_layers = self._max_layers new_max_layers = -1 - """Recalculate num max layers""" for node in DepthFirstIterator(scene.getRoot()): # type: ignore layer_data = node.callDecoration("getLayerData") if not layer_data: @@ -418,19 +444,6 @@ class SimulationView(CuraView): if len(layer_data.getLayer(layer_id).polygons) < 1: continue - # Store the max and min feedrates and thicknesses for display purposes - for p in layer_data.getLayer(layer_id).polygons: - self._max_feedrate = max(float(p.lineFeedrates.max()), self._max_feedrate) - self._min_feedrate = min(float(p.lineFeedrates.min()), self._min_feedrate) - self._max_line_width = max(float(p.lineWidths.max()), self._max_line_width) - self._min_line_width = min(float(p.lineWidths.min()), self._min_line_width) - self._max_thickness = max(float(p.lineThicknesses.max()), self._max_thickness) - try: - self._min_thickness = min(float(p.lineThicknesses[numpy.nonzero(p.lineThicknesses)].min()), self._min_thickness) - except ValueError: - # Sometimes, when importing a GCode the line thicknesses are zero and so the minimum (avoiding - # the zero) can't be calculated - Logger.log("i", "Min thickness can't be calculated because all the values are zero") if max_layer_number < layer_id: max_layer_number = layer_id if min_layer_number > layer_id: @@ -454,6 +467,87 @@ class SimulationView(CuraView): self.maxLayersChanged.emit() self._startUpdateTopLayers() + def calculateColorSchemeLimits(self) -> None: + """ + Calculates the limits of the colour schemes, depending on the layer view data that is visible to the user. + """ + # Before we start, save the old values so that we can tell if any of the spectrums need to change. + old_min_feedrate = self._min_feedrate + old_max_feedrate = self._max_feedrate + old_min_linewidth = self._min_line_width + old_max_linewidth = self._max_line_width + old_min_thickness = self._min_thickness + old_max_thickness = self._max_thickness + old_min_flow_rate = self._min_flow_rate + old_max_flow_rate = self._max_flow_rate + + self._min_feedrate = sys.float_info.max + self._max_feedrate = sys.float_info.min + self._min_line_width = sys.float_info.max + self._max_line_width = sys.float_info.min + self._min_thickness = sys.float_info.max + self._max_thickness = sys.float_info.min + self._min_flow_rate = sys.float_info.max + self._max_flow_rate = sys.float_info.min + + # The colour scheme is only influenced by the visible lines, so filter the lines by if they should be visible. + visible_line_types = [] + if self.getShowSkin(): # Actually "shell". + visible_line_types.append(LayerPolygon.SkinType) + visible_line_types.append(LayerPolygon.Inset0Type) + visible_line_types.append(LayerPolygon.InsetXType) + if self.getShowInfill(): + visible_line_types.append(LayerPolygon.InfillType) + if self.getShowHelpers(): + visible_line_types.append(LayerPolygon.PrimeTowerType) + visible_line_types.append(LayerPolygon.SkirtType) + visible_line_types.append(LayerPolygon.SupportType) + visible_line_types.append(LayerPolygon.SupportInfillType) + visible_line_types.append(LayerPolygon.SupportInterfaceType) + visible_line_types_with_extrusion = visible_line_types.copy() # Copy before travel moves are added + if self.getShowTravelMoves(): + visible_line_types.append(LayerPolygon.MoveCombingType) + visible_line_types.append(LayerPolygon.MoveRetractionType) + + for node in DepthFirstIterator(self.getController().getScene().getRoot()): + layer_data = node.callDecoration("getLayerData") + if not layer_data: + continue + + for layer_index in layer_data.getLayers(): + for polyline in layer_data.getLayer(layer_index).polygons: + is_visible = numpy.isin(polyline.types, visible_line_types) + visible_indices = numpy.where(is_visible)[0] + visible_indicies_with_extrusion = numpy.where(numpy.isin(polyline.types, visible_line_types_with_extrusion))[0] + if visible_indices.size == 0: # No items to take maximum or minimum of. + continue + visible_feedrates = numpy.take(polyline.lineFeedrates, visible_indices) + visible_feedrates_with_extrusion = numpy.take(polyline.lineFeedrates, visible_indicies_with_extrusion) + visible_linewidths = numpy.take(polyline.lineWidths, visible_indices) + visible_linewidths_with_extrusion = numpy.take(polyline.lineWidths, visible_indicies_with_extrusion) + visible_thicknesses = numpy.take(polyline.lineThicknesses, visible_indices) + visible_thicknesses_with_extrusion = numpy.take(polyline.lineThicknesses, visible_indicies_with_extrusion) + self._max_feedrate = max(float(visible_feedrates.max()), self._max_feedrate) + if visible_feedrates_with_extrusion.size != 0: + flow_rates = visible_feedrates_with_extrusion * visible_linewidths_with_extrusion * visible_thicknesses_with_extrusion + self._min_flow_rate = min(float(flow_rates.min()), self._min_flow_rate) + self._max_flow_rate = max(float(flow_rates.max()), self._max_flow_rate) + self._min_feedrate = min(float(visible_feedrates.min()), self._min_feedrate) + self._max_line_width = max(float(visible_linewidths.max()), self._max_line_width) + self._min_line_width = min(float(visible_linewidths.min()), self._min_line_width) + self._max_thickness = max(float(visible_thicknesses.max()), self._max_thickness) + try: + self._min_thickness = min(float(visible_thicknesses[numpy.nonzero(visible_thicknesses)].min()), self._min_thickness) + except ValueError: + # Sometimes, when importing a GCode the line thicknesses are zero and so the minimum (avoiding the zero) can't be calculated. + Logger.log("w", "Min thickness can't be calculated because all the values are zero") + + if old_min_feedrate != self._min_feedrate or old_max_feedrate != self._max_feedrate \ + or old_min_linewidth != self._min_line_width or old_max_linewidth != self._max_line_width \ + or old_min_thickness != self._min_thickness or old_max_thickness != self._max_thickness \ + or old_min_flow_rate != self._min_flow_rate or old_max_flow_rate != self._max_flow_rate: + self.colorSchemeLimitsChanged.emit() + def calculateMaxPathsOnLayer(self, layer_num: int) -> None: # Update the currentPath scene = self.getController().getScene() @@ -480,6 +574,8 @@ class SimulationView(CuraView): preferencesChanged = Signal() busyChanged = Signal() activityChanged = Signal() + visibleStructuresChanged = Signal() + colorSchemeLimitsChanged = Signal() def getProxy(self, engine, script_engine): """Hackish way to ensure the proxy is already created @@ -511,6 +607,7 @@ class SimulationView(CuraView): Application.getInstance().getPreferences().preferenceChanged.connect(self._onPreferencesChanged) self._controller.getScene().getRoot().childrenChanged.connect(self._onSceneChanged) + self.calculateColorSchemeLimits() self.calculateMaxLayers() self.calculateMaxPathsOnLayer(self._current_layer_num) diff --git a/plugins/SimulationView/SimulationViewMenuComponent.qml b/plugins/SimulationView/SimulationViewMenuComponent.qml index 708fc932c8..a9108c9d42 100644 --- a/plugins/SimulationView/SimulationViewMenuComponent.qml +++ b/plugins/SimulationView/SimulationViewMenuComponent.qml @@ -90,6 +90,7 @@ Cura.ExpandableComponent property bool show_feedrate_gradient: show_gradient && UM.Preferences.getValue("layerview/layer_view_type") == 2 property bool show_thickness_gradient: show_gradient && UM.Preferences.getValue("layerview/layer_view_type") == 3 property bool show_line_width_gradient: show_gradient && UM.Preferences.getValue("layerview/layer_view_type") == 4 + property bool show_flow_rate_gradient: show_gradient && UM.Preferences.getValue("layerview/layer_view_type") == 5 property bool only_show_top_layers: UM.Preferences.getValue("view/only_show_top_layers") property int top_layer_count: UM.Preferences.getValue("view/top_layer_count") @@ -125,6 +126,10 @@ Cura.ExpandableComponent text: catalog.i18nc("@label:listbox", "Line Width"), type_id: 4 }) + layerViewTypes.append({ + text: catalog.i18nc("@label:listbox", "Flow"), + type_id: 5 + }) } ComboBox @@ -150,10 +155,13 @@ Cura.ExpandableComponent { // Update the visibility of the legends. viewSettings.show_legend = UM.SimulationView.compatibilityMode || (type_id == 1); - viewSettings.show_gradient = !UM.SimulationView.compatibilityMode && (type_id == 2 || type_id == 3 || type_id == 4); + viewSettings.show_gradient = !UM.SimulationView.compatibilityMode && + (type_id == 2 || type_id == 3 || type_id == 4 || type_id == 5) ; + viewSettings.show_feedrate_gradient = viewSettings.show_gradient && (type_id == 2); viewSettings.show_thickness_gradient = viewSettings.show_gradient && (type_id == 3); viewSettings.show_line_width_gradient = viewSettings.show_gradient && (type_id == 4); + viewSettings.show_flow_rate_gradient = viewSettings.show_gradient && (type_id == 5); } } @@ -389,18 +397,24 @@ Cura.ExpandableComponent // Feedrate selected if (UM.Preferences.getValue("layerview/layer_view_type") == 2) { - return parseFloat(UM.SimulationView.getMinFeedrate()).toFixed(2) + return parseFloat(UM.SimulationView.minFeedrate).toFixed(2) } // Layer thickness selected if (UM.Preferences.getValue("layerview/layer_view_type") == 3) { - return parseFloat(UM.SimulationView.getMinThickness()).toFixed(2) + return parseFloat(UM.SimulationView.minThickness).toFixed(2) } - //Line width selected + // Line width selected if(UM.Preferences.getValue("layerview/layer_view_type") == 4) { - return parseFloat(UM.SimulationView.getMinLineWidth()).toFixed(2); + return parseFloat(UM.SimulationView.minLineWidth).toFixed(2); } + // Flow Rate selected + if(UM.Preferences.getValue("layerview/layer_view_type") == 5) + { + return parseFloat(UM.SimulationView.minFlowRate).toFixed(2); + } + } return catalog.i18nc("@label","min") } @@ -431,6 +445,11 @@ Cura.ExpandableComponent { return "mm" } + // Flow Rate selected + if (UM.Preferences.getValue("layerview/layer_view_type") == 5) + { + return "mm³/s" + } } return "" } @@ -448,17 +467,22 @@ Cura.ExpandableComponent // Feedrate selected if (UM.Preferences.getValue("layerview/layer_view_type") == 2) { - return parseFloat(UM.SimulationView.getMaxFeedrate()).toFixed(2) + return parseFloat(UM.SimulationView.maxFeedrate).toFixed(2) } // Layer thickness selected if (UM.Preferences.getValue("layerview/layer_view_type") == 3) { - return parseFloat(UM.SimulationView.getMaxThickness()).toFixed(2) + return parseFloat(UM.SimulationView.maxThickness).toFixed(2) } //Line width selected if(UM.Preferences.getValue("layerview/layer_view_type") == 4) { - return parseFloat(UM.SimulationView.getMaxLineWidth()).toFixed(2); + return parseFloat(UM.SimulationView.maxLineWidth).toFixed(2); + } + // Flow rate selected + if(UM.Preferences.getValue("layerview/layer_view_type") == 5) + { + return parseFloat(UM.SimulationView.maxFlowRate).toFixed(2); } } return catalog.i18nc("@label","max") @@ -474,7 +498,10 @@ Cura.ExpandableComponent Rectangle { id: feedrateGradient - visible: viewSettings.show_feedrate_gradient || viewSettings.show_line_width_gradient + visible: ( + viewSettings.show_feedrate_gradient || + viewSettings.show_line_width_gradient + ) anchors.left: parent.left anchors.right: parent.right height: Math.round(UM.Theme.getSize("layerview_row").height * 1.5) @@ -526,7 +553,9 @@ Cura.ExpandableComponent Rectangle { id: thicknessGradient - visible: viewSettings.show_thickness_gradient + visible: ( + viewSettings.show_thickness_gradient + ) anchors.left: parent.left anchors.right: parent.right height: Math.round(UM.Theme.getSize("layerview_row").height * 1.5) @@ -578,6 +607,85 @@ Cura.ExpandableComponent } } } + + // Gradient colors for flow (similar to jet colormap) + Rectangle + { + id: jetGradient + visible: ( + viewSettings.show_flow_rate_gradient + ) + anchors.left: parent.left + anchors.right: parent.right + height: Math.round(UM.Theme.getSize("layerview_row").height * 1.5) + border.width: UM.Theme.getSize("default_lining").width + border.color: UM.Theme.getColor("lining") + + LinearGradient + { + anchors + { + left: parent.left + leftMargin: UM.Theme.getSize("default_lining").width + right: parent.right + rightMargin: UM.Theme.getSize("default_lining").width + top: parent.top + topMargin: UM.Theme.getSize("default_lining").width + bottom: parent.bottom + bottomMargin: UM.Theme.getSize("default_lining").width + } + start: Qt.point(0, 0) + end: Qt.point(parent.width, 0) + gradient: Gradient + { + GradientStop + { + position: 0.0 + color: Qt.rgba(0, 0, 0.5, 1) + } + GradientStop + { + position: 0.125 + color: Qt.rgba(0, 0.0, 1.0, 1) + } + GradientStop + { + position: 0.25 + color: Qt.rgba(0, 0.5, 1.0, 1) + } + GradientStop + { + position: 0.375 + color: Qt.rgba(0.0, 1.0, 1.0, 1) + } + GradientStop + { + position: 0.5 + color: Qt.rgba(0.5, 1.0, 0.5, 1) + } + GradientStop + { + position: 0.625 + color: Qt.rgba(1.0, 1.0, 0.0, 1) + } + GradientStop + { + position: 0.75 + color: Qt.rgba(1.0, 0.5, 0, 1) + } + GradientStop + { + position: 0.875 + color: Qt.rgba(1.0, 0.0, 0, 1) + } + GradientStop + { + position: 1.0 + color: Qt.rgba(0.5, 0, 0, 1) + } + } + } + } } FontMetrics diff --git a/plugins/SimulationView/SimulationViewProxy.py b/plugins/SimulationView/SimulationViewProxy.py index 12947f6464..7d78e93ca5 100644 --- a/plugins/SimulationView/SimulationViewProxy.py +++ b/plugins/SimulationView/SimulationViewProxy.py @@ -1,4 +1,4 @@ -# Copyright (c) 2018 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. from typing import TYPE_CHECKING @@ -28,6 +28,7 @@ class SimulationViewProxy(QObject): globalStackChanged = pyqtSignal() preferencesChanged = pyqtSignal() busyChanged = pyqtSignal() + colorSchemeLimitsChanged = pyqtSignal() @pyqtProperty(bool, notify=activityChanged) def layerActivity(self): @@ -101,30 +102,38 @@ class SimulationViewProxy(QObject): def getSimulationRunning(self): return self._simulation_view.isSimulationRunning() - @pyqtSlot(result=float) - def getMinFeedrate(self): + @pyqtProperty(float, notify = colorSchemeLimitsChanged) + def minFeedrate(self): return self._simulation_view.getMinFeedrate() - @pyqtSlot(result=float) - def getMaxFeedrate(self): + @pyqtProperty(float, notify = colorSchemeLimitsChanged) + def maxFeedrate(self): return self._simulation_view.getMaxFeedrate() - @pyqtSlot(result=float) - def getMinThickness(self): + @pyqtProperty(float, notify = colorSchemeLimitsChanged) + def minThickness(self): return self._simulation_view.getMinThickness() - @pyqtSlot(result=float) - def getMaxThickness(self): + @pyqtProperty(float, notify = colorSchemeLimitsChanged) + def maxThickness(self): return self._simulation_view.getMaxThickness() - @pyqtSlot(result=float) - def getMaxLineWidth(self): + @pyqtProperty(float, notify = colorSchemeLimitsChanged) + def maxLineWidth(self): return self._simulation_view.getMaxLineWidth() - @pyqtSlot(result=float) - def getMinLineWidth(self): + @pyqtProperty(float, notify = colorSchemeLimitsChanged) + def minLineWidth(self): return self._simulation_view.getMinLineWidth() + @pyqtProperty(float, notify=colorSchemeLimitsChanged) + def maxFlowRate(self): + return self._simulation_view.getMaxFlowRate() + + @pyqtProperty(float, notify=colorSchemeLimitsChanged) + def minFlowRate(self): + return self._simulation_view.getMinFlowRate() + # Opacity 0..1 @pyqtSlot(int, float) def setExtruderOpacity(self, extruder_nr, opacity): @@ -153,6 +162,9 @@ class SimulationViewProxy(QObject): self.currentLayerChanged.emit() self._layerActivityChanged() + def _onColorSchemeLimitsChanged(self): + self.colorSchemeLimitsChanged.emit() + def _onPathChanged(self): self.currentPathChanged.emit() self._layerActivityChanged() @@ -182,6 +194,7 @@ class SimulationViewProxy(QObject): active_view = self._controller.getActiveView() if active_view == self._simulation_view: self._simulation_view.currentLayerNumChanged.connect(self._onLayerChanged) + self._simulation_view.colorSchemeLimitsChanged.connect(self._onColorSchemeLimitsChanged) self._simulation_view.currentPathNumChanged.connect(self._onPathChanged) self._simulation_view.maxLayersChanged.connect(self._onMaxLayersChanged) self._simulation_view.maxPathsChanged.connect(self._onMaxPathsChanged) @@ -194,6 +207,7 @@ class SimulationViewProxy(QObject): # Disconnect all of em again. self.is_simulationView_selected = False self._simulation_view.currentLayerNumChanged.disconnect(self._onLayerChanged) + self._simulation_view.colorSchemeLimitsChanged.connect(self._onColorSchemeLimitsChanged) self._simulation_view.currentPathNumChanged.disconnect(self._onPathChanged) self._simulation_view.maxLayersChanged.disconnect(self._onMaxLayersChanged) self._simulation_view.maxPathsChanged.disconnect(self._onMaxPathsChanged) diff --git a/plugins/SimulationView/layers3d.shader b/plugins/SimulationView/layers3d.shader index c7cf7f061c..f9d67f284c 100644 --- a/plugins/SimulationView/layers3d.shader +++ b/plugins/SimulationView/layers3d.shader @@ -12,6 +12,8 @@ vertex41core = uniform lowp float u_min_thickness; uniform lowp float u_max_line_width; uniform lowp float u_min_line_width; + uniform lowp float u_max_flow_rate; + uniform lowp float u_min_flow_rate; uniform lowp int u_layer_view_type; uniform lowp mat4 u_extruder_opacity; // currently only for max 16 extruders, others always visible @@ -44,7 +46,15 @@ vertex41core = vec4 feedrateGradientColor(float abs_value, float min_value, float max_value) { - float value = (abs_value - min_value)/(max_value - min_value); + float value; + if(abs(max_value - min_value) < 0.0001) //Max and min are equal (barring floating point rounding errors). + { + value = 0.5; //Pick a colour in exactly the middle of the range. + } + else + { + value = (abs_value - min_value) / (max_value - min_value); + } float red = value; float green = 1-abs(1-4*value); if (value > 0.375) @@ -57,7 +67,15 @@ vertex41core = vec4 layerThicknessGradientColor(float abs_value, float min_value, float max_value) { - float value = (abs_value - min_value)/(max_value - min_value); + float value; + if(abs(max_value - min_value) < 0.0001) //Max and min are equal (barring floating point rounding errors). + { + value = 0.5; //Pick a colour in exactly the middle of the range. + } + else + { + value = (abs_value - min_value) / (max_value - min_value); + } float red = min(max(4*value-2, 0), 1); float green = min(1.5*value, 0.75); if (value > 0.75) @@ -70,7 +88,15 @@ vertex41core = vec4 lineWidthGradientColor(float abs_value, float min_value, float max_value) { - float value = (abs_value - min_value) / (max_value - min_value); + float value; + if(abs(max_value - min_value) < 0.0001) //Max and min are equal (barring floating point rounding errors). + { + value = 0.5; //Pick a colour in exactly the middle of the range. + } + else + { + value = (abs_value - min_value) / (max_value - min_value); + } float red = value; float green = 1 - abs(1 - 4 * value); if(value > 0.375) @@ -81,6 +107,30 @@ vertex41core = return vec4(red, green, blue, 1.0); } + float clamp(float v) + { + float t = v < 0 ? 0 : v; + return t > 1.0 ? 1.0 : t; + } + + // Inspired by https://stackoverflow.com/a/46628410 + vec4 flowRateGradientColor(float abs_value, float min_value, float max_value) + { + float t; + if(abs(min_value - max_value) < 0.0001) + { + t = 0; + } + else + { + t = 2.0 * ((abs_value - min_value) / (max_value - min_value)) - 1; + } + float red = clamp(1.5 - abs(2.0 * t - 1.0)); + float green = clamp(1.5 - abs(2.0 * t)); + float blue = clamp(1.5 - abs(2.0 * t + 1.0)); + return vec4(red, green, blue, 1.0); + } + void main() { vec4 v1_vertex = a_vertex; @@ -106,6 +156,10 @@ vertex41core = case 4: // "Line width" v_color = lineWidthGradientColor(a_line_dim.x, u_min_line_width, u_max_line_width); break; + case 5: // "Flow" + float flow_rate = a_line_dim.x * a_line_dim.y * a_feedrate; + v_color = flowRateGradientColor(flow_rate, u_min_flow_rate, u_max_flow_rate); + break; } v_vertex = world_space_vert.xyz; @@ -294,7 +348,6 @@ geometry41core = EndPrimitive(); } - if ((u_show_starts == 1) && (v_prev_line_type[0] != 1) && (v_line_type[0] == 1)) { float w = size_x; float h = size_y; @@ -313,7 +366,7 @@ geometry41core = myEmitVertex(v_vertex[0] + vec3(-w, -h, -w), u_starts_color, normalize(vec3(-1.0, -1.0, -1.0)), viewProjectionMatrix * (gl_in[0].gl_Position + vec4(-w, -h, -w, 0.0))); // Back-bottom-right myEmitVertex(v_vertex[0] + vec3( w, h, -w), u_starts_color, normalize(vec3( 1.0, 1.0, -1.0)), viewProjectionMatrix * (gl_in[0].gl_Position + vec4( w, h, -w, 0.0))); // Back-top-left myEmitVertex(v_vertex[0] + vec3(-w, h, -w), u_starts_color, normalize(vec3(-1.0, 1.0, -1.0)), viewProjectionMatrix * (gl_in[0].gl_Position + vec4(-w, h, -w, 0.0))); // Back-top-right - + EndPrimitive(); } } diff --git a/plugins/SimulationView/plugin.json b/plugins/SimulationView/plugin.json index 19dd7e3b40..48ee8d04a7 100644 --- a/plugins/SimulationView/plugin.json +++ b/plugins/SimulationView/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides the Simulation view.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/SliceInfoPlugin/SliceInfo.py b/plugins/SliceInfoPlugin/SliceInfo.py index 6eed649cc7..5ead422d0a 100755 --- a/plugins/SliceInfoPlugin/SliceInfo.py +++ b/plugins/SliceInfoPlugin/SliceInfo.py @@ -229,6 +229,11 @@ class SliceInfo(QObject, Extension): model["model_settings"] = model_settings + if node.source_mime_type is None: + model["mime_type"] = "" + else: + model["mime_type"] = node.source_mime_type.name + data["models"].append(model) print_times = print_information.printTimes() diff --git a/plugins/SliceInfoPlugin/example_data.html b/plugins/SliceInfoPlugin/example_data.html index b349ec328d..5b97f1cba6 100644 --- a/plugins/SliceInfoPlugin/example_data.html +++ b/plugins/SliceInfoPlugin/example_data.html @@ -54,6 +54,7 @@
  • Bounding Box: [minimum x, y, z; maximum x, y, z]
  • Is Helper Mesh: no
  • Helper Mesh Type: support mesh
  • +
  • File type: STL
  • diff --git a/plugins/SliceInfoPlugin/plugin.json b/plugins/SliceInfoPlugin/plugin.json index a816a8e9a0..46a0ca0fab 100644 --- a/plugins/SliceInfoPlugin/plugin.json +++ b/plugins/SliceInfoPlugin/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Submits anonymous slice info. Can be disabled through preferences.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/SolidView/plugin.json b/plugins/SolidView/plugin.json index 07151aed34..4c7aec8d84 100644 --- a/plugins/SolidView/plugin.json +++ b/plugins/SolidView/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides a normal solid mesh view.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } \ No newline at end of file diff --git a/plugins/SupportEraser/plugin.json b/plugins/SupportEraser/plugin.json index 115b8455d8..a832dc2daf 100644 --- a/plugins/SupportEraser/plugin.json +++ b/plugins/SupportEraser/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Creates an eraser mesh to block the printing of support in certain places", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/Toolbox/plugin.json b/plugins/Toolbox/plugin.json index bc88a20947..c9ac0870c3 100644 --- a/plugins/Toolbox/plugin.json +++ b/plugins/Toolbox/plugin.json @@ -2,6 +2,6 @@ "name": "Toolbox", "author": "Ultimaker B.V.", "version": "1.0.1", - "api": "7.5.0", + "api": "7.6.0", "description": "Find, manage and install new Cura packages." } diff --git a/plugins/TrimeshReader/plugin.json b/plugins/TrimeshReader/plugin.json index 0f44967822..200356fa81 100644 --- a/plugins/TrimeshReader/plugin.json +++ b/plugins/TrimeshReader/plugin.json @@ -3,5 +3,5 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Provides support for reading model files.", - "api": "7.5.0" + "api": "7.6.0" } diff --git a/plugins/UFPReader/plugin.json b/plugins/UFPReader/plugin.json index 21aab321a4..389b555b95 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.5.0"], + "supported_sdk_versions": ["7.6.0"], "i18n-catalog": "cura" } \ No newline at end of file diff --git a/plugins/UFPWriter/UFPWriter.py b/plugins/UFPWriter/UFPWriter.py index f9b86be651..455a7c3c36 100644 --- a/plugins/UFPWriter/UFPWriter.py +++ b/plugins/UFPWriter/UFPWriter.py @@ -5,6 +5,7 @@ from typing import cast, List, Dict from Charon.VirtualFile import VirtualFile # To open UFP files. from Charon.OpenMode import OpenMode # To indicate that we want to write to UFP files. +from Charon.filetypes.OpenPackagingConvention import OPCError from io import StringIO # For converting g-code to bytes. from PyQt5.QtCore import QBuffer @@ -47,35 +48,53 @@ class UFPWriter(MeshWriter): archive = VirtualFile() archive.openStream(stream, "application/x-ufp", OpenMode.WriteOnly) - self._writeObjectList(archive) + try: + self._writeObjectList(archive) - # Store the g-code from the scene. - archive.addContentType(extension = "gcode", mime_type = "text/x-gcode") + # Store the g-code from the scene. + archive.addContentType(extension = "gcode", mime_type = "text/x-gcode") + except EnvironmentError as e: + error_msg = catalog.i18nc("@info:error", "Can't write to UFP file:") + " " + str(e) + self.setInformation(error_msg) + Logger.error(error_msg) + return False gcode_textio = StringIO() # We have to convert the g-code into bytes. gcode_writer = cast(MeshWriter, PluginRegistry.getInstance().getPluginObject("GCodeWriter")) success = gcode_writer.write(gcode_textio, None) if not success: # Writing the g-code failed. Then I can also not write the gzipped g-code. self.setInformation(gcode_writer.getInformation()) return False - gcode = archive.getStream("/3D/model.gcode") - gcode.write(gcode_textio.getvalue().encode("UTF-8")) - archive.addRelation(virtual_path = "/3D/model.gcode", relation_type = "http://schemas.ultimaker.org/package/2018/relationships/gcode") + try: + gcode = archive.getStream("/3D/model.gcode") + gcode.write(gcode_textio.getvalue().encode("UTF-8")) + archive.addRelation(virtual_path = "/3D/model.gcode", relation_type = "http://schemas.ultimaker.org/package/2018/relationships/gcode") + except EnvironmentError as e: + error_msg = catalog.i18nc("@info:error", "Can't write to UFP file:") + " " + str(e) + self.setInformation(error_msg) + Logger.error(error_msg) + return False # Attempt to store the thumbnail, if any: backend = CuraApplication.getInstance().getBackend() snapshot = None if getattr(backend, "getLatestSnapshot", None) is None else backend.getLatestSnapshot() if snapshot: - archive.addContentType(extension = "png", mime_type = "image/png") - thumbnail = archive.getStream("/Metadata/thumbnail.png") + try: + archive.addContentType(extension = "png", mime_type = "image/png") + thumbnail = archive.getStream("/Metadata/thumbnail.png") - thumbnail_buffer = QBuffer() - thumbnail_buffer.open(QBuffer.ReadWrite) - snapshot.save(thumbnail_buffer, "PNG") + thumbnail_buffer = QBuffer() + thumbnail_buffer.open(QBuffer.ReadWrite) + snapshot.save(thumbnail_buffer, "PNG") - thumbnail.write(thumbnail_buffer.data()) - archive.addRelation(virtual_path = "/Metadata/thumbnail.png", - relation_type = "http://schemas.openxmlformats.org/package/2006/relationships/metadata/thumbnail", - origin = "/3D/model.gcode") + thumbnail.write(thumbnail_buffer.data()) + archive.addRelation(virtual_path = "/Metadata/thumbnail.png", + relation_type = "http://schemas.openxmlformats.org/package/2006/relationships/metadata/thumbnail", + origin = "/3D/model.gcode") + except EnvironmentError as e: + error_msg = catalog.i18nc("@info:error", "Can't write to UFP file:") + " " + str(e) + self.setInformation(error_msg) + Logger.error(error_msg) + return False else: Logger.log("w", "Thumbnail not created, cannot save it") @@ -90,7 +109,7 @@ class UFPWriter(MeshWriter): try: archive.addContentType(extension = material_extension, mime_type = material_mime_type) - except: + except OPCError: Logger.log("w", "The material extension: %s was already added", material_extension) added_materials = [] @@ -120,17 +139,23 @@ class UFPWriter(MeshWriter): Logger.log("e", "Unable serialize material container with root id: %s", material_root_id) return False - material_file = archive.getStream(material_file_name) - material_file.write(serialized_material.encode("UTF-8")) - archive.addRelation(virtual_path = material_file_name, - relation_type = "http://schemas.ultimaker.org/package/2018/relationships/material", - origin = "/3D/model.gcode") + try: + material_file = archive.getStream(material_file_name) + material_file.write(serialized_material.encode("UTF-8")) + archive.addRelation(virtual_path = material_file_name, + relation_type = "http://schemas.ultimaker.org/package/2018/relationships/material", + origin = "/3D/model.gcode") + except EnvironmentError as e: + error_msg = catalog.i18nc("@info:error", "Can't write to UFP file:") + " " + str(e) + self.setInformation(error_msg) + Logger.error(error_msg) + return False added_materials.append(material_file_name) try: archive.close() - except OSError as e: + except EnvironmentError as e: error_msg = catalog.i18nc("@info:error", "Can't write to UFP file:") + " " + str(e) self.setInformation(error_msg) Logger.error(error_msg) diff --git a/plugins/UFPWriter/plugin.json b/plugins/UFPWriter/plugin.json index 43355cd3c3..e494261193 100644 --- a/plugins/UFPWriter/plugin.json +++ b/plugins/UFPWriter/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for writing Ultimaker Format Packages.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } \ No newline at end of file diff --git a/plugins/UM3NetworkPrinting/plugin.json b/plugins/UM3NetworkPrinting/plugin.json index fcd214f294..03502c8f94 100644 --- a/plugins/UM3NetworkPrinting/plugin.json +++ b/plugins/UM3NetworkPrinting/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "description": "Manages network connections to Ultimaker networked printers.", "version": "2.0.0", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/UM3NetworkPrinting/src/Network/SendMaterialJob.py b/plugins/UM3NetworkPrinting/src/Network/SendMaterialJob.py index 28f6b29dd9..96a2b78e8f 100644 --- a/plugins/UM3NetworkPrinting/src/Network/SendMaterialJob.py +++ b/plugins/UM3NetworkPrinting/src/Network/SendMaterialJob.py @@ -7,26 +7,34 @@ from PyQt5.QtNetwork import QNetworkReply, QNetworkRequest from UM.Job import Job from UM.Logger import Logger from cura.CuraApplication import CuraApplication +from cura.Utils.Threading import call_on_qt_thread from ..Models.Http.ClusterMaterial import ClusterMaterial from ..Models.LocalMaterial import LocalMaterial from ..Messages.MaterialSyncMessage import MaterialSyncMessage +import time +import threading + if TYPE_CHECKING: from .LocalClusterOutputDevice import LocalClusterOutputDevice class SendMaterialJob(Job): + """Asynchronous job to send material profiles to the printer. This way it won't freeze up the interface while sending those materials. """ - - def __init__(self, device: "LocalClusterOutputDevice") -> None: super().__init__() self.device = device # type: LocalClusterOutputDevice + self._send_material_thread = threading.Thread(target = self._sendMissingMaterials) + self._send_material_thread.setDaemon(True) + + self._remote_materials = {} # type: Dict[str, ClusterMaterial] + def run(self) -> None: """Send the request to the printer and register a callback""" @@ -36,9 +44,15 @@ class SendMaterialJob(Job): """Callback for when the remote materials were returned.""" remote_materials_by_guid = {material.guid: material for material in materials} - self._sendMissingMaterials(remote_materials_by_guid) + self._remote_materials = remote_materials_by_guid + # It's not the nicest way to do it, but if we don't handle this in a thread + # we are blocking the main interface (even though the original call was done in a job) + # This should really be refactored so that calculating the list of materials that need to be sent + # to the printer is done outside of the job (and running the job actually sends the materials) + # TODO: Fix this hack that was introduced for 4.9.1 + self._send_material_thread.start() - def _sendMissingMaterials(self, remote_materials_by_guid: Dict[str, ClusterMaterial]) -> None: + def _sendMissingMaterials(self) -> None: """Determine which materials should be updated and send them to the printer. :param remote_materials_by_guid: The remote materials by GUID. @@ -47,7 +61,7 @@ class SendMaterialJob(Job): if len(local_materials_by_guid) == 0: Logger.log("d", "There are no local materials to synchronize with the printer.") return - material_ids_to_send = self._determineMaterialsToSend(local_materials_by_guid, remote_materials_by_guid) + material_ids_to_send = self._determineMaterialsToSend(local_materials_by_guid, self._remote_materials) if len(material_ids_to_send) == 0: Logger.log("d", "There are no remote materials to update.") return @@ -96,7 +110,11 @@ class SendMaterialJob(Job): file_name = os.path.basename(file_path) self._sendMaterialFile(file_path, file_name, root_material_id) + time.sleep(1) # Throttle the sending a bit. + # This needs to be called on the QT thread since the onFinished needs to happen + # in the same thread as where the network manager is located (aka; main thread) + @call_on_qt_thread def _sendMaterialFile(self, file_path: str, file_name: str, material_id: str) -> None: """Send a single material file to the printer. diff --git a/plugins/UM3NetworkPrinting/src/__init__.py b/plugins/UM3NetworkPrinting/src/__init__.py index 659263c0d6..d5641e902f 100644 --- a/plugins/UM3NetworkPrinting/src/__init__.py +++ b/plugins/UM3NetworkPrinting/src/__init__.py @@ -1,9 +1,2 @@ # Copyright (c) 2019 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. - -# Workaround for a race condition on certain systems where there -# is a race condition between Arcus and PyQt. Importing Arcus -# first seems to prevent Sip from going into a state where it -# tries to create PyQt objects on a non-main thread. -import Arcus #@UnusedImport -import Savitar #@UnusedImport \ No newline at end of file diff --git a/plugins/USBPrinting/AutoDetectBaudJob.py b/plugins/USBPrinting/AutoDetectBaudJob.py index c74935dbff..1ebd74af4f 100644 --- a/plugins/USBPrinting/AutoDetectBaudJob.py +++ b/plugins/USBPrinting/AutoDetectBaudJob.py @@ -70,7 +70,10 @@ class AutoDetectBaudJob(Job): timeout_time = time() + wait_response_timeout while timeout_time > time(): - line = serial.readline() + # If baudrate is wrong, then readline() might never + # return, even with timeouts set. Using read_until + # with size limit seems to fix this. + line = serial.read_until(size = 100) if b"ok" in line and b"T:" in line: self.setResult(baud_rate) Logger.log("d", "Detected baud rate {baud_rate} on serial {serial} on retry {retry} with after {time_elapsed:0.2f} seconds.".format( diff --git a/plugins/USBPrinting/plugin.json b/plugins/USBPrinting/plugin.json index 5c624b9730..9b5513791f 100644 --- a/plugins/USBPrinting/plugin.json +++ b/plugins/USBPrinting/plugin.json @@ -2,7 +2,7 @@ "name": "USB printing", "author": "Ultimaker B.V.", "version": "1.0.2", - "api": "7.5.0", + "api": "7.6.0", "description": "Accepts G-Code and sends them to a printer. Plugin can also update firmware.", "i18n-catalog": "cura" } diff --git a/plugins/UltimakerMachineActions/plugin.json b/plugins/UltimakerMachineActions/plugin.json index 0014f32ad9..798150601c 100644 --- a/plugins/UltimakerMachineActions/plugin.json +++ b/plugins/UltimakerMachineActions/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.).", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade21to22/plugin.json b/plugins/VersionUpgrade/VersionUpgrade21to22/plugin.json index e54a3f1e76..55673d849a 100644 --- a/plugins/VersionUpgrade/VersionUpgrade21to22/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade21to22/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 2.1 to Cura 2.2.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade22to24/plugin.json b/plugins/VersionUpgrade/VersionUpgrade22to24/plugin.json index fc9a8c1882..80a3c28628 100644 --- a/plugins/VersionUpgrade/VersionUpgrade22to24/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade22to24/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 2.2 to Cura 2.4.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade25to26/plugin.json b/plugins/VersionUpgrade/VersionUpgrade25to26/plugin.json index 936bb5c91c..d64096b899 100644 --- a/plugins/VersionUpgrade/VersionUpgrade25to26/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade25to26/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 2.5 to Cura 2.6.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade26to27/plugin.json b/plugins/VersionUpgrade/VersionUpgrade26to27/plugin.json index 6af6ca4f6b..86b6e89793 100644 --- a/plugins/VersionUpgrade/VersionUpgrade26to27/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade26to27/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 2.6 to Cura 2.7.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade27to30/plugin.json b/plugins/VersionUpgrade/VersionUpgrade27to30/plugin.json index 09d03174bd..edb9e0933d 100644 --- a/plugins/VersionUpgrade/VersionUpgrade27to30/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade27to30/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 2.7 to Cura 3.0.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade30to31/plugin.json b/plugins/VersionUpgrade/VersionUpgrade30to31/plugin.json index 19f2eef45e..cc10cd3cf2 100644 --- a/plugins/VersionUpgrade/VersionUpgrade30to31/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade30to31/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 3.0 to Cura 3.1.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade32to33/plugin.json b/plugins/VersionUpgrade/VersionUpgrade32to33/plugin.json index ed12654352..991b985f76 100644 --- a/plugins/VersionUpgrade/VersionUpgrade32to33/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade32to33/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 3.2 to Cura 3.3.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade33to34/plugin.json b/plugins/VersionUpgrade/VersionUpgrade33to34/plugin.json index 0592fcafaf..4bc3309156 100644 --- a/plugins/VersionUpgrade/VersionUpgrade33to34/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade33to34/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 3.3 to Cura 3.4.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade34to35/plugin.json b/plugins/VersionUpgrade/VersionUpgrade34to35/plugin.json index 63f1303000..887e6287c2 100644 --- a/plugins/VersionUpgrade/VersionUpgrade34to35/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade34to35/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 3.4 to Cura 3.5.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade35to40/plugin.json b/plugins/VersionUpgrade/VersionUpgrade35to40/plugin.json index 99656ef1bb..8cdfecaf9b 100644 --- a/plugins/VersionUpgrade/VersionUpgrade35to40/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade35to40/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 3.5 to Cura 4.0.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade40to41/plugin.json b/plugins/VersionUpgrade/VersionUpgrade40to41/plugin.json index f3a2b1c358..426de00e01 100644 --- a/plugins/VersionUpgrade/VersionUpgrade40to41/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade40to41/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Upgrades configurations from Cura 4.0 to Cura 4.1.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade41to42/plugin.json b/plugins/VersionUpgrade/VersionUpgrade41to42/plugin.json index 73da1b1279..9801fef742 100644 --- a/plugins/VersionUpgrade/VersionUpgrade41to42/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade41to42/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.1 to Cura 4.2.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade42to43/plugin.json b/plugins/VersionUpgrade/VersionUpgrade42to43/plugin.json index b96db4e9df..847b1ead04 100644 --- a/plugins/VersionUpgrade/VersionUpgrade42to43/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade42to43/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.2 to Cura 4.3.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade43to44/plugin.json b/plugins/VersionUpgrade/VersionUpgrade43to44/plugin.json index 53c5c10595..6a8db66e3f 100644 --- a/plugins/VersionUpgrade/VersionUpgrade43to44/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade43to44/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.3 to Cura 4.4.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade44to45/plugin.json b/plugins/VersionUpgrade/VersionUpgrade44to45/plugin.json index cf58279abc..4463274b42 100644 --- a/plugins/VersionUpgrade/VersionUpgrade44to45/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade44to45/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.4 to Cura 4.5.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade45to46/plugin.json b/plugins/VersionUpgrade/VersionUpgrade45to46/plugin.json index f6e39a53b3..8d3a6db9d7 100644 --- a/plugins/VersionUpgrade/VersionUpgrade45to46/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade45to46/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.5 to Cura 4.6.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade460to462/plugin.json b/plugins/VersionUpgrade/VersionUpgrade460to462/plugin.json index 4517916a19..16c6d15406 100644 --- a/plugins/VersionUpgrade/VersionUpgrade460to462/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade460to462/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade462to47/plugin.json b/plugins/VersionUpgrade/VersionUpgrade462to47/plugin.json index 394ab5d05f..e7f0fed761 100644 --- a/plugins/VersionUpgrade/VersionUpgrade462to47/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade462to47/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.6.2 to Cura 4.7.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade47to48/plugin.json b/plugins/VersionUpgrade/VersionUpgrade47to48/plugin.json index f8bf682ab0..9674eb0ad2 100644 --- a/plugins/VersionUpgrade/VersionUpgrade47to48/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade47to48/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.7 to Cura 4.8.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade48to49/plugin.json b/plugins/VersionUpgrade/VersionUpgrade48to49/plugin.json index 020db6ea52..8d677f7577 100644 --- a/plugins/VersionUpgrade/VersionUpgrade48to49/plugin.json +++ b/plugins/VersionUpgrade/VersionUpgrade48to49/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Upgrades configurations from Cura 4.8 to Cura 4.9.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/VersionUpgrade/VersionUpgrade49to410/VersionUpgrade49to410.py b/plugins/VersionUpgrade/VersionUpgrade49to410/VersionUpgrade49to410.py new file mode 100644 index 0000000000..7d9186e06b --- /dev/null +++ b/plugins/VersionUpgrade/VersionUpgrade49to410/VersionUpgrade49to410.py @@ -0,0 +1,178 @@ +# Copyright (c) 2019 Ultimaker B.V. +# Cura is released under the terms of the LGPLv3 or higher. + +import configparser +import io +import os.path # To get the file ID. +from typing import Dict, List, Tuple + +from UM.VersionUpgrade import VersionUpgrade + + +class VersionUpgrade49to410(VersionUpgrade): + """ + Upgrades configurations from the state they were in at version 4.9 to the state they should be in at version 4.10. + """ + + _renamed_profiles = { + # Definitions. + "twotrees_bluer" : "two_trees_bluer", + + # Upgrade for people who had the original TwoTrees Bluer profiles from 4.9 and earlier. + "twotrees_bluer_extruder_0": "two_trees_base_extruder_0", + "twotrees_bluer_extruder_1": "two_trees_base_extruder_0" + } + + _quality_changes_to_two_trees_base = { + "twotrees_bluer_extruder_0", + "twotrees_bluer_extruder_1", + "twotrees_bluer" + } + + # Default variant to select for legacy TwoTrees printers, now that we have variants. + _default_variants = { + "twotrees_bluer_extruder_0" : "two_trees_bluer_0.4", + "twotrees_bluer_extruder_1" : "two_trees_bluer_0.4" + } + + _two_trees_bluer_quality_type_conversion = { + "high" : "ultra", + "normal" : "super", + "fast" : "standard", + "draft" : "standard", + "extra_fast" : "low", + "coarse" : "draft", + "extra_coarse": "draft" + } + + _two_trees_quality_per_material = { + # Since legacy TwoTrees printers didn't have different variants, we always pick the 0.4mm variant. + "generic_abs_175" : { + "high" : "two_trees_0.4_ABS_super", + "normal" : "two_trees_0.4_ABS_super", + "fast" : "two_trees_0.4_ABS_super", + "draft" : "two_trees_0.4_ABS_standard", + "extra_fast" : "two_trees_0.4_ABS_low", + "coarse" : "two_trees_0.4_ABS_low", + "extra_coarse": "two_trees_0.4_ABS_low" + }, + "generic_petg_175": { + "high" : "two_trees_0.4_PETG_super", + "normal" : "two_trees_0.4_PETG_super", + "fast" : "two_trees_0.4_PETG_super", + "draft" : "two_trees_0.4_PETG_standard", + "extra_fast" : "two_trees_0.4_PETG_low", + "coarse" : "two_trees_0.4_PETG_low", + "extra_coarse": "two_trees_0.4_PETG_low" + }, + "generic_pla_175" : { + "high" : "two_trees_0.4_PLA_super", + "normal" : "two_trees_0.4_PLA_super", + "fast" : "two_trees_0.4_PLA_super", + "draft" : "two_trees_0.4_PLA_standard", + "extra_fast" : "two_trees_0.4_PLA_low", + "coarse" : "two_trees_0.4_PLA_low", + "extra_coarse": "two_trees_0.4_PLA_low" + }, + "generic_tpu_175" : { + "high" : "two_trees_0.4_TPU_super", + "normal" : "two_trees_0.4_TPU_super", + "fast" : "two_trees_0.4_TPU_super", + "draft" : "two_trees_0.4_TPU_standard", + "extra_fast" : "two_trees_0.4_TPU_standard", + "coarse" : "two_trees_0.4_TPU_standard", + "extra_coarse": "two_trees_0.4_TPU_standard" + }, + "empty_material" : { # For the global stack. + "high" : "two_trees_global_super", + "normal" : "two_trees_global_super", + "fast" : "two_trees_global_super", + "draft" : "two_trees_global_standard", + "extra_fast" : "two_trees_global_low", + "coarse" : "two_trees_global_low", + "extra_coarse": "two_trees_global_low" + } + } + + _deltacomb_quality_type_conversion = { + "a" : "D005", + "b" : "D010", + "c" : "D015", + "d" : "D020", + "e" : "D030", + "f" : "D045", + "g" : "D060" + } + + def upgradeInstanceContainer(self, serialized: str, filename: str) -> Tuple[List[str], List[str]]: + """Upgrades instance containers to have the new version number. + + This renames the renamed settings in the containers. + """ + parser = configparser.ConfigParser(interpolation = None, comment_prefixes = ()) + parser.read_string(serialized) + + # Update setting version number. + if "metadata" not in parser: + parser["metadata"] = {} + parser["metadata"]["setting_version"] = "17" + + if "general" not in parser: + parser["general"] = {} + # Certain instance containers (such as definition changes) reference to a certain definition container + # Since a number of those changed name, we also need to update those. + old_definition = parser.get("general", "definition", fallback = "") + if old_definition in self._renamed_profiles: + parser["general"]["definition"] = self._renamed_profiles[old_definition] + + # For quality-changes profiles made for TwoTrees Bluer printers, change the definition to the two_trees_base and make sure that the quality is something we have a profile for. + if parser.get("metadata", "type", fallback = "") == "quality_changes": + for possible_printer in self._quality_changes_to_two_trees_base: + if os.path.basename(filename).startswith(possible_printer + "_"): + parser["general"]["definition"] = "two_trees_base" + parser["metadata"]["quality_type"] = self._two_trees_bluer_quality_type_conversion.get(parser.get("metadata", "quality_type", fallback = "fast"), "standard") + break + + if os.path.basename(filename).startswith("deltacomb_"): + parser["general"]["definition"] = "deltacomb_base" + parser["metadata"]["quality_type"] = self._deltacomb_quality_type_conversion.get(parser.get("metadata", "quality_type", fallback = "c"), "D015") + break + + result = io.StringIO() + parser.write(result) + return [filename], [result.getvalue()] + + def upgradeStack(self, serialized: str, filename: str) -> Tuple[List[str], List[str]]: + """Upgrades stacks to have the new version number.""" + + parser = configparser.ConfigParser(interpolation = None) + parser.read_string(serialized) + + # Update setting version number. + if "metadata" not in parser: + parser["metadata"] = {} + parser["metadata"]["setting_version"] = "17" + + # Change renamed profiles. + if "containers" in parser: + definition_id = parser["containers"]["7"] + if definition_id in self._quality_changes_to_two_trees_base: + material_id = parser["containers"]["4"] + old_quality_id = parser["containers"]["3"] + if parser["metadata"].get("type", "machine") == "extruder_train": + if parser["containers"]["5"] == "empty_variant": + if definition_id in self._default_variants: + parser["containers"]["5"] = self._default_variants[definition_id] # For legacy TwoTrees printers, change the variant to 0.4. + + # Also change the quality to go along with it. + if material_id in self._two_trees_quality_per_material and old_quality_id in self._two_trees_quality_per_material[material_id]: + parser["containers"]["3"] = self._two_trees_quality_per_material[material_id][old_quality_id] + stack_copy = {} # type: Dict[str, str] # Make a copy so that we don't modify the dict we're iterating over. + stack_copy.update(parser["containers"]) + for position, profile_id in stack_copy.items(): + if profile_id in self._renamed_profiles: + parser["containers"][position] = self._renamed_profiles[profile_id] + + result = io.StringIO() + parser.write(result) + return [filename], [result.getvalue()] diff --git a/plugins/VersionUpgrade/VersionUpgrade49to410/__init__.py b/plugins/VersionUpgrade/VersionUpgrade49to410/__init__.py new file mode 100644 index 0000000000..0d5128473f --- /dev/null +++ b/plugins/VersionUpgrade/VersionUpgrade49to410/__init__.py @@ -0,0 +1,55 @@ +# Copyright (c) 2020 Ultimaker B.V. +# Cura is released under the terms of the LGPLv3 or higher. + +from typing import Any, Dict, TYPE_CHECKING + +from . import VersionUpgrade49to410 + +if TYPE_CHECKING: + from UM.Application import Application + +upgrade = VersionUpgrade49to410.VersionUpgrade49to410() + + +def getMetaData() -> Dict[str, Any]: + return { + "version_upgrade": { + # From To Upgrade function + ("machine_stack", 5000016): ("machine_stack", 5000017, upgrade.upgradeStack), + ("extruder_train", 5000016): ("extruder_train", 5000017, upgrade.upgradeStack), + ("definition_changes", 4000016): ("definition_changes", 4000017, upgrade.upgradeInstanceContainer), + ("quality_changes", 4000016): ("quality_changes", 4000017, upgrade.upgradeInstanceContainer), + ("quality", 4000016): ("quality", 4000017, upgrade.upgradeInstanceContainer), + ("user", 4000016): ("user", 4000017, upgrade.upgradeInstanceContainer), + }, + "sources": { + "machine_stack": { + "get_version": upgrade.getCfgVersion, + "location": {"./machine_instances"} + }, + "extruder_train": { + "get_version": upgrade.getCfgVersion, + "location": {"./extruders"} + }, + "definition_changes": { + "get_version": upgrade.getCfgVersion, + "location": {"./definition_changes"} + }, + "quality_changes": { + "get_version": upgrade.getCfgVersion, + "location": {"./quality_changes"} + }, + "quality": { + "get_version": upgrade.getCfgVersion, + "location": {"./quality"} + }, + "user": { + "get_version": upgrade.getCfgVersion, + "location": {"./user"} + } + } + } + + +def register(app: "Application") -> Dict[str, Any]: + return {"version_upgrade": upgrade} diff --git a/plugins/VersionUpgrade/VersionUpgrade49to410/plugin.json b/plugins/VersionUpgrade/VersionUpgrade49to410/plugin.json new file mode 100644 index 0000000000..1466e62b6f --- /dev/null +++ b/plugins/VersionUpgrade/VersionUpgrade49to410/plugin.json @@ -0,0 +1,8 @@ +{ + "name": "Version Upgrade 4.9 to 4.10", + "author": "Ultimaker B.V.", + "version": "1.0.0", + "description": "Upgrades configurations from Cura 4.9 to Cura 4.10.", + "api": "7.6.0", + "i18n-catalog": "cura" +} diff --git a/plugins/X3DReader/plugin.json b/plugins/X3DReader/plugin.json index c93359b596..c3581f67e8 100644 --- a/plugins/X3DReader/plugin.json +++ b/plugins/X3DReader/plugin.json @@ -3,6 +3,6 @@ "author": "Seva Alekseyev, Ultimaker B.V.", "version": "1.0.1", "description": "Provides support for reading X3D files.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/XRayView/plugin.json b/plugins/XRayView/plugin.json index 7b25d78131..1c4ad17cb1 100644 --- a/plugins/XRayView/plugin.json +++ b/plugins/XRayView/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides the X-Ray view.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/XmlMaterialProfile/plugin.json b/plugins/XmlMaterialProfile/plugin.json index fd06559e08..a0cec30068 100644 --- a/plugins/XmlMaterialProfile/plugin.json +++ b/plugins/XmlMaterialProfile/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.1", "description": "Provides capabilities to read and write XML-based material profiles.", - "api": "7.5.0", + "api": "7.6.0", "i18n-catalog": "cura" } diff --git a/plugins/XmlMaterialProfile/tests/TestXmlMaterialProfile.py b/plugins/XmlMaterialProfile/tests/TestXmlMaterialProfile.py index 651fd5a985..05986dc033 100644 --- a/plugins/XmlMaterialProfile/tests/TestXmlMaterialProfile.py +++ b/plugins/XmlMaterialProfile/tests/TestXmlMaterialProfile.py @@ -1,9 +1,5 @@ from unittest.mock import patch, MagicMock -# Prevents error: "PyCapsule_GetPointer called with incorrect name" with conflicting SIP configurations between Arcus and PyQt: Import custom Sip bindings first! -import Savitar # Dont remove this line -import Arcus # No really. Don't. It needs to be there! -import pynest2d # Really! from UM.Qt.QtApplication import QtApplication # QtApplication import is required, even though it isn't used. import pytest diff --git a/resources/bundled_packages/cura.json b/resources/bundled_packages/cura.json index ccb301ce4a..5141391f8b 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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.0.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.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.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -975,7 +975,7 @@ "display_name": "X3D Reader", "description": "Provides support for reading X3D files.", "package_version": "1.0.1", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com", "author": { "author_id": "SevaAlekseyev", @@ -992,7 +992,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.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -1009,7 +1009,7 @@ "display_name": "X-Ray View", "description": "Provides the X-Ray view.", "package_version": "1.0.1", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -1026,7 +1026,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1044,7 +1044,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1062,7 +1062,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1080,7 +1080,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1098,7 +1098,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1116,7 +1116,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1134,7 +1134,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1152,7 +1152,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1170,7 +1170,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1188,7 +1188,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1206,7 +1206,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1224,7 +1224,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1242,7 +1242,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1260,7 +1260,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1278,7 +1278,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1296,7 +1296,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1314,7 +1314,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.5.0", + "sdk_version": "7.6.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1332,7 +1332,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.5.0", + "sdk_version": "7.6.0", "website": "https://dagoma.fr/boutique/filaments.html", "author": { "author_id": "Dagoma", @@ -1349,7 +1349,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.5.0", + "sdk_version": "7.6.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=40", "author": { "author_id": "FABtotum", @@ -1366,7 +1366,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.5.0", + "sdk_version": "7.6.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=53", "author": { "author_id": "FABtotum", @@ -1383,7 +1383,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.5.0", + "sdk_version": "7.6.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=39", "author": { "author_id": "FABtotum", @@ -1400,7 +1400,7 @@ "display_name": "FABtotum TPU Shore 98A", "description": "", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=66", "author": { "author_id": "FABtotum", @@ -1417,7 +1417,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.5.0", + "sdk_version": "7.6.0", "website": "http://fiberlogy.com/en/fiberlogy-filaments/filament-hd-pla/", "author": { "author_id": "Fiberlogy", @@ -1434,7 +1434,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.5.0", + "sdk_version": "7.6.0", "website": "https://dagoma.fr", "author": { "author_id": "Dagoma", @@ -1451,7 +1451,7 @@ "display_name": "IMADE3D JellyBOX PETG", "description": "", "package_version": "1.0.1", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "http://shop.imade3d.com/filament.html", "author": { "author_id": "IMADE3D", @@ -1468,7 +1468,7 @@ "display_name": "IMADE3D JellyBOX PLA", "description": "", "package_version": "1.0.1", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "http://shop.imade3d.com/filament.html", "author": { "author_id": "IMADE3D", @@ -1485,7 +1485,7 @@ "display_name": "Octofiber PLA", "description": "PLA material from Octofiber.", "package_version": "1.0.1", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://nl.octofiber.com/3d-printing-filament/pla.html", "author": { "author_id": "Octofiber", @@ -1502,7 +1502,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.5.0", + "sdk_version": "7.6.0", "website": "http://www.polymaker.com/shop/polyflex/", "author": { "author_id": "Polymaker", @@ -1519,7 +1519,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.5.0", + "sdk_version": "7.6.0", "website": "http://www.polymaker.com/shop/polymax/", "author": { "author_id": "Polymaker", @@ -1536,7 +1536,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.5.0", + "sdk_version": "7.6.0", "website": "http://www.polymaker.com/shop/polyplus-true-colour/", "author": { "author_id": "Polymaker", @@ -1553,7 +1553,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.5.0", + "sdk_version": "7.6.0", "website": "http://www.polymaker.com/shop/polywood/", "author": { "author_id": "Polymaker", @@ -1570,7 +1570,7 @@ "display_name": "Ultimaker ABS", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1589,7 +1589,7 @@ "display_name": "Ultimaker Breakaway", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/breakaway", "author": { "author_id": "UltimakerPackages", @@ -1608,7 +1608,7 @@ "display_name": "Ultimaker CPE", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1627,7 +1627,7 @@ "display_name": "Ultimaker CPE+", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/cpe", "author": { "author_id": "UltimakerPackages", @@ -1646,7 +1646,7 @@ "display_name": "Ultimaker Nylon", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1665,7 +1665,7 @@ "display_name": "Ultimaker PC", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/pc", "author": { "author_id": "UltimakerPackages", @@ -1684,7 +1684,7 @@ "display_name": "Ultimaker PLA", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1703,7 +1703,7 @@ "display_name": "Ultimaker PP", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/pp", "author": { "author_id": "UltimakerPackages", @@ -1722,7 +1722,7 @@ "display_name": "Ultimaker PVA", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1741,7 +1741,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.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/tpu-95a", "author": { "author_id": "UltimakerPackages", @@ -1760,7 +1760,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.5.0", + "sdk_version": "7.6.0", "website": "https://ultimaker.com/products/materials/tough-pla", "author": { "author_id": "UltimakerPackages", @@ -1779,7 +1779,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.5.0", + "sdk_version": "7.6.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", @@ -1796,7 +1796,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.5.0", + "sdk_version": "7.6.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", @@ -1813,7 +1813,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.5.0", + "sdk_version": "7.6.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", @@ -1830,7 +1830,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.5.0", + "sdk_version": "7.6.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", diff --git a/resources/definitions/SV03.def.json b/resources/definitions/SV03.def.json new file mode 100644 index 0000000000..5968a82c0d --- /dev/null +++ b/resources/definitions/SV03.def.json @@ -0,0 +1,70 @@ +{ + "version": 2, + "name": "Sovol-SV03", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Sovol", + "manufacturer": "Sovol 3D", + "file_formats": "text/x-gcode", + "has_variants": false, + "has_machine_quality": false, + "preferred_quality_type": "draft", + "machine_extruder_trains": { + "0": "SV03_extruder_0" + } + }, + + "overrides": { + "machine_name": { "default_value": "SV03" }, + "machine_extruder_count": { "default_value": 1 }, + "machine_width": { "default_value": 350 }, + "machine_depth": { "default_value": 350 }, + "machine_height": { "default_value": 400 }, + "machine_max_feedrate_x": { "value": 500 }, + "machine_max_feedrate_y": { "value": 500 }, + "machine_max_feedrate_z": { "value": 10 }, + "machine_max_feedrate_e": { "value": 50 }, + "machine_max_acceleration_x": { "value": 500 }, + "machine_max_acceleration_y": { "value": 500 }, + "machine_max_acceleration_z": { "value": 100 }, + "machine_max_acceleration_e": { "value": 5000 }, + "machine_acceleration": { "value": 500 }, + "machine_max_jerk_xy": { "value": 10 }, + "machine_max_jerk_z": { "value": 0.4 }, + "machine_max_jerk_e": { "value": 5 }, + "machine_heated_bed": { "default_value": true }, + "material_diameter": { "default_value": 1.75 }, + "acceleration_print": { "value": 500 }, + "acceleration_travel": { "value": 500 }, + "acceleration_travel_layer_0": { "value": "acceleration_travel" }, + "acceleration_roofing": { "enabled": "acceleration_enabled and roofing_layer_count > 0 and top_layers > 0" }, + "jerk_print": { "value": 8 }, + "jerk_travel": { "value": "jerk_print" }, + "jerk_travel_layer_0": { "value": "jerk_travel" }, + "acceleration_enabled": { "value": false }, + "jerk_enabled": { "value": false }, + "speed_print": { "value": 50.0 } , + "speed_infill": { "value": "speed_print" }, + "skirt_brim_speed": { "value": "speed_layer_0" }, + "line_width": { "value": "machine_nozzle_size" }, + "optimize_wall_printing_order": { "value": "True" }, + "material_initial_print_temperature": { "value": "material_print_temperature" }, + "material_final_print_temperature": { "value": "material_print_temperature" }, + "material_flow": { "value": 100 }, + "z_seam_type": { "value": "'back'" }, + "z_seam_corner": { "value": "'z_seam_corner_weighted'" }, + "infill_sparse_density": { "value": "20" }, + "infill_pattern": { "value": "'lines'" }, + "infill_before_walls": { "value": false }, + "infill_overlap": { "value": 30.0 }, + "skin_overlap": { "value": 10.0 }, + "infill_wipe_dist": { "value": 0.0 }, + "wall_0_wipe_dist": { "value": 0.0 }, + "retraction_amount": { "default_value": 3}, + "retraction_speed": { "default_value": 50}, + "adhesion_type": { "value": "'skirt'" }, + "machine_start_gcode": { "default_value": "M201 X500.00 Y500.00 Z100.00 E5000.00 ;Setup machine max acceleration\nM203 X500.00 Y500.00 Z10.00 E50.00 ;Setup machine max feedrate\nM204 P500.00 R1000.00 T500.00 ;Setup Print/Retract/Travel acceleration\nM205 X8.00 Y8.00 Z0.40 E5.00 ;Setup Jerk\nM220 S100 ;Reset Feedrate\nM221 S100 ;Reset Flowrate\n\nG28 ;Home\nG29 ;Automatic Leveling\n\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move Z Axis up\nG1 X10.1 Y20 Z0.28 F5000.0 ;Move to start position\nG1 X10.1 Y200.0 Z0.28 F1500.0 E15 ;Draw the first line\nG1 X10.4 Y200.0 Z0.28 F5000.0 ;Move to side a little\nG1 X10.4 Y20 Z0.28 F1500.0 E30 ;Draw the second line\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move Z Axis up\n" }, + "machine_end_gcode": { "default_value": "G91 ;Relative positioning\nG1 E-2 F2700 ;Retract a bit\nG1 E-2 Z0.2 F2400 ;Retract and raise Z\nG1 X0 Y240 F3000 ;Wipe out\nG1 Z10 ;Raise Z more\nG90 ;Absolute positioning\n\nG1 X0 Y{machine_depth} ;Present print\nM106 S0 ;Turn-off fan\nM104 S0 ;Turn-off hotend\nM140 S0 ;Turn-off bed\n\nM84 X Y E ;Disable all steppers but Z\n" } + } +} diff --git a/resources/definitions/abax_pri3.def.json b/resources/definitions/abax_pri3.def.json index 8f0d1a97d8..914dc4d3e0 100644 --- a/resources/definitions/abax_pri3.def.json +++ b/resources/definitions/abax_pri3.def.json @@ -1,11 +1,11 @@ { - "name": "ABAX PRi3", + "name": "Abax PRi3", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "ABAX 3d Technologies", - "manufacturer": "ABAX 3d Technologies", + "author": "Abax 3D Technologies", + "manufacturer": "Abax 3D Technologies", "file_formats": "text/x-gcode", "machine_extruder_trains": { diff --git a/resources/definitions/abax_pri5.def.json b/resources/definitions/abax_pri5.def.json index 5730cc6e05..cb6566e08c 100644 --- a/resources/definitions/abax_pri5.def.json +++ b/resources/definitions/abax_pri5.def.json @@ -1,11 +1,11 @@ { - "name": "ABAX PRi5", + "name": "Abax PRi5", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "ABAX 3d Technologies", - "manufacturer": "ABAX 3d Technologies", + "author": "Abax 3D Technologies", + "manufacturer": "Abax 3D Technologies", "file_formats": "text/x-gcode", "machine_extruder_trains": { diff --git a/resources/definitions/abax_titan.def.json b/resources/definitions/abax_titan.def.json index dc5dd3b14f..0b22634e1f 100644 --- a/resources/definitions/abax_titan.def.json +++ b/resources/definitions/abax_titan.def.json @@ -1,11 +1,11 @@ { - "name": "ABAX Titan", + "name": "Abax Titan", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "ABAX 3d Technologies", - "manufacturer": "ABAX 3d Technologies", + "author": "Abax 3D Technologies", + "manufacturer": "Abax 3D Technologies", "file_formats": "text/x-gcode", "machine_extruder_trains": { diff --git a/resources/definitions/alya3dp.def.json b/resources/definitions/alya3dp.def.json index 4c220fb98b..f335285cfb 100644 --- a/resources/definitions/alya3dp.def.json +++ b/resources/definitions/alya3dp.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "ALYA", + "name": "Alya", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "ALYA", + "author": "Alya", "manufacturer": "Kati Hal ARGE", "file_formats": "text/x-gcode", "platform": "alya_platform.3mf", diff --git a/resources/definitions/alyanx3dp.def.json b/resources/definitions/alyanx3dp.def.json index 627b251706..76ce87445b 100644 --- a/resources/definitions/alyanx3dp.def.json +++ b/resources/definitions/alyanx3dp.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "ALYA NX", + "name": "Alya NX", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "ALYA", + "author": "Alya", "manufacturer": "Kati Hal ARGE", "file_formats": "text/x-gcode", "platform": "alya_nx_platform.3mf", diff --git a/resources/definitions/anet3d_a2_plus.def.json b/resources/definitions/anet3d_a2_plus.def.json index cad4492205..8c766577ac 100644 --- a/resources/definitions/anet3d_a2_plus.def.json +++ b/resources/definitions/anet3d_a2_plus.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Anet A2 PLUS", + "name": "Anet A2 Plus", "inherits": "anet3d", "metadata": { "visible": true, @@ -11,7 +11,7 @@ }, "overrides": { - "machine_name": { "default_value": "Anet A2 PLUS" }, + "machine_name": { "default_value": "Anet A2 Plus" }, "machine_width": { "default_value": 220 }, diff --git a/resources/definitions/anet3d_a8_plus.def.json b/resources/definitions/anet3d_a8_plus.def.json index 8e50f50663..baafd53710 100644 --- a/resources/definitions/anet3d_a8_plus.def.json +++ b/resources/definitions/anet3d_a8_plus.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Anet A8 PLUS", + "name": "Anet A8 Plus", "inherits": "anet3d", "metadata": { "visible": true, @@ -11,7 +11,7 @@ }, "overrides": { - "machine_name": { "default_value": "Anet A8 PLUS" }, + "machine_name": { "default_value": "Anet A8 Plus" }, "machine_width": { "default_value": 300 }, diff --git a/resources/definitions/anet3d_et4_pro.def.json b/resources/definitions/anet3d_et4_pro.def.json index 5a6b660044..47cd08f50f 100644 --- a/resources/definitions/anet3d_et4_pro.def.json +++ b/resources/definitions/anet3d_et4_pro.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Anet ET4 PRO", + "name": "Anet ET4 Pro", "inherits": "anet3d", "metadata": { "visible": true, @@ -11,7 +11,7 @@ }, "overrides": { - "machine_name": { "default_value": "Anet ET4 PRO" }, + "machine_name": { "default_value": "Anet ET4 Pro" }, "machine_width": { "default_value": 220 }, diff --git a/resources/definitions/anycubic_i3_mega_s.def.json b/resources/definitions/anycubic_i3_mega_s.def.json new file mode 100644 index 0000000000..f0c786a393 --- /dev/null +++ b/resources/definitions/anycubic_i3_mega_s.def.json @@ -0,0 +1,143 @@ +{ + "version": 2, + "name": "Anycubic i3 Mega (S, Pro)", + "inherits": "fdmprinter", + "metadata": + { + "visible": true, + "author": "Nils Hendrik Rottgardt", + "manufacturer": "Anycubic", + "file_formats": "text/x-gcode", + "platform": "anycubic_i3_mega_s_platform.3mf", + "has_materials": true, + "has_variants": false, + "has_machine_quality": true, + "preferred_quality_type": "normal", + "machine_extruder_trains": + { + "0": "anycubic_i3_mega_s_extruder_0" + } + }, + + "overrides": + { + "machine_name": { "default_value": "Anycubic i3 Mega (S, Pro)" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 210 }, + "machine_height": { "default_value": 205 }, + "machine_depth": { "default_value": 210 }, + "machine_center_is_zero": { "default_value": false }, + "gantry_height": { "value": "0" }, + "machine_gcode_flavor": { "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 \nM140 S{material_bed_temperature_layer_0} ; Start heating the bed \nG4 S60 ; wait 1 minute \nM104 S{material_initial_print_temperature} ; start heating the hot end \nM190 S{material_bed_temperature_layer_0} ; wait for bed \nM109 S{material_initial_print_temperature} ; wait for hotend \nM300 S1000 P500 ; BEEP heating done \nG28 X0 Y10 Z0 ; move X/Y to min endstops \nM420 S1 ; Enable leveling \nM420 Z2.0 ; Set leveling fading height to 2 mm \nG0 Z0.15 ; lift nozzle a bit \nG92 E0 ; zero the extruded length \nG1 X50 E25 F500 ; Extrude 25mm of filament in a 5cm line. \nG92 E0 ; zero the extruded length again \nG1 E-2 F500 ; Retract a little \nG1 X120 F4000 ; Quickly wipe away from the filament line`" }, + "machine_end_gcode": { "default_value": "M104 S0 ; Extruder off \nM140 S0 ; Heatbed off \nM107 ; Fan off \nG91 ; relative positioning \nG1 E-5 F300 ; retract a little \nG1 Z+10 E-5 ; X-20 Y-20 F{travel_xy_speed} ; lift print head \nG28 X0 Y0 ; homing \nG1 Y180 F2000 ; reset feedrate \nM84 ; disable stepper motors \nG90 ; absolute positioning \nM300 S440 P200 ; Make Print Completed Tones \nM300 S660 P250 ; beep \nM300 S880 P300 ; beep" }, + + "machine_max_acceleration_x": { "value": 3000 }, + "machine_max_acceleration_y": { "value": 3000 }, + "machine_max_acceleration_z": { "value": 3000 }, + "machine_max_acceleration_e": { "value": 3000 }, + "machine_acceleration": { "value": 3000 }, + + "machine_max_jerk_xy": { "value": 10 }, + "machine_max_jerk_z": { "value": 0.4 }, + "machine_max_jerk_e": { "value": 5 }, + + "material_diameter": { "default_value": 1.75 }, + + "acceleration_print": { "value": 1800 }, + "acceleration_travel": { "value": 3000 }, + "acceleration_travel_layer_0": { "value": "acceleration_travel" }, + "acceleration_roofing": { "enabled": "acceleration_enabled and roofing_layer_count > 0 and top_layers > 0" }, + + "jerk_print": { "value": 8 }, + "jerk_travel": { "value": 10 }, + "jerk_travel_layer_0": { "value": "jerk_travel" }, + + "acceleration_enabled": { "value": false }, + "jerk_enabled": { "value": true }, + + "speed_print": { "value": 50.0 } , + "speed_infill": { "value": "speed_print" }, + "speed_wall": { "value": "speed_print / 2" }, + "speed_wall_0": { "value": "speed_wall" }, + "speed_wall_x": { "value": "speed_wall" }, + "speed_topbottom": { "value": "speed_print / 2" }, + "speed_roofing": { "value": "speed_topbottom" }, + "speed_travel": { "value": 100.0, "maximum_value_warning": 150.0 }, + "speed_layer_0": { "value": 20.0 }, + "speed_print_layer_0": { "value": "speed_layer_0" }, + "speed_travel_layer_0": { "value": 100.0 }, + "speed_prime_tower": { "value": "speed_topbottom" }, + "speed_support": { "value": "speed_wall_0" }, + "speed_support_interface": { "value": "speed_topbottom" }, + + "skirt_brim_speed": { "value": "speed_layer_0" }, + + "optimize_wall_printing_order": { "value": "True" }, + + "material_initial_print_temperature": { "value": "material_print_temperature + 10" }, + "material_final_print_temperature": { "value": "material_print_temperature" }, + "material_flow": { "value": 100 }, + "travel_compensate_overlapping_walls_0_enabled": { "value": "False" }, + + "infill_sparse_density": { "value": 25 }, + "infill_before_walls": { "value": false }, + "infill_overlap": { "value": 15.0 }, + + + "retraction_speed": { "value": 25, "maximum_value": 40 }, + "retraction_retract_speed": { "maximum_value": 40 }, + "retraction_prime_speed": { "maximum_value": 40 }, + + "retraction_hop_enabled": { "value": true }, + "retraction_hop": { "value": 0.075 }, + "retraction_hop_only_when_collides": { "value": true }, + + "retraction_combing": { "value": "'off'" }, + "retraction_combing_max_distance": { "value": 30 }, + "travel_avoid_other_parts": { "value": true }, + "travel_avoid_supports": { "value": true }, + "travel_retract_before_outer_wall": { "value": true }, + + "retraction_amount": { "value": 6 }, + "retraction_enable": { "value": true }, + "retraction_min_travel": { "value": 1.5 }, + + "cool_fan_full_at_height": { "value": "layer_height_0 + 2 * layer_height" }, + "cool_fan_speed": { "value": 70 }, + "cool_fan_speed_0": { "value": 30 }, + + "cool_fan_enabled": { "value": true }, + "cool_min_layer_time": { "value": 10 }, + + "adhesion_type": { "value": "'none' if support_enable else 'skirt'" }, + "brim_replaces_support": { "value": false }, + "skirt_gap": { "value": 5.0 }, + "skirt_line_count": { "value": 4 }, + + + "support_angle": { "value": "math.floor(math.degrees(math.atan(line_width / 2.0 / layer_height)))" }, + "support_pattern": { "value": "'zigzag'" }, + "support_infill_rate": { "value": "0 if support_enable and support_structure == 'tree' else 20" }, + "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_xy_overrides_z": { "value": "'xy_overrides_z'" }, + "support_wall_count": { "value": 1 }, + "support_brim_enable": { "value": true }, + "support_brim_width": { "value": 4 }, + + "support_interface_enable": { "value": true }, + "support_structure": { "value": "'tree'" }, + "support_type": { "value": "'buildplate' if support_structure == 'tree' else 'everywhere'" }, + "support_interface_height": { "value": "layer_height * 4" }, + "support_interface_density": { "value": 33.333 }, + "support_interface_pattern": { "value": "'grid'" }, + "support_interface_skip_height": { "value": 0.2 }, + "minimum_support_area": { "value": 2 }, + "minimum_interface_area": { "value": 10 }, + "top_bottom_thickness": { "value": "layer_height_0 + layer_height * math.floor(1.2 / layer_height)" }, + "wall_thickness": { "value": "line_width * 3" } + } +} diff --git a/resources/definitions/anycubic_i3_mega_x.def.json b/resources/definitions/anycubic_i3_mega_x.def.json new file mode 100644 index 0000000000..eb70c60c98 --- /dev/null +++ b/resources/definitions/anycubic_i3_mega_x.def.json @@ -0,0 +1,17 @@ +{ + "version": 2, + "name": "Anycubic i3 Mega X", + "inherits": "anycubic_i3_mega_s", + "metadata": + { + "quality_definition": "anycubic_i3_mega_s", + "platform": "anycubic_i3_mega_x_platform.stl" + }, + "overrides": + { + "machine_name": { "default_value": "Anycubic i3 Mega X" }, + "machine_width": { "default_value": 300 }, + "machine_height": { "default_value": 305 }, + "machine_depth": { "default_value": 300 } + } +} diff --git a/resources/definitions/bibo2_dual.def.json b/resources/definitions/bibo2_dual.def.json index 8c6dc4ec76..dad08603aa 100644 --- a/resources/definitions/bibo2_dual.def.json +++ b/resources/definitions/bibo2_dual.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "BIBO2 dual", + "name": "Bibo 2 dual", "inherits": "fdmprinter", "metadata": { "visible": true, diff --git a/resources/definitions/biqu_b1.def.json b/resources/definitions/biqu_b1.def.json index 1ed42367bd..d60e229152 100755 --- a/resources/definitions/biqu_b1.def.json +++ b/resources/definitions/biqu_b1.def.json @@ -1,5 +1,5 @@ { - "name": "BIQU B1", + "name": "Biqu B1", "version": 2, "inherits": "biqu_base", "metadata": { diff --git a/resources/definitions/biqu_b1_abl.def.json b/resources/definitions/biqu_b1_abl.def.json index e43d50deeb..11876ae80b 100755 --- a/resources/definitions/biqu_b1_abl.def.json +++ b/resources/definitions/biqu_b1_abl.def.json @@ -1,5 +1,5 @@ { - "name": "BIQU B1 ABL", + "name": "Biqu B1 ABL", "version": 2, "inherits": "biqu_base", "metadata": { diff --git a/resources/definitions/biqu_base.def.json b/resources/definitions/biqu_base.def.json index d6365f0aab..960fb6d494 100755 --- a/resources/definitions/biqu_base.def.json +++ b/resources/definitions/biqu_base.def.json @@ -5,7 +5,7 @@ "metadata": { "visible": false, "author": "Luke Harrison", - "manufacturer": "BIQU", + "manufacturer": "Biqu", "file_formats": "text/x-gcode", "first_start_actions": ["MachineSettingsAction"], diff --git a/resources/definitions/blv_mgn_cube_300.def.json b/resources/definitions/blv_mgn_cube_300.def.json index b86949a966..48fb7cd149 100644 --- a/resources/definitions/blv_mgn_cube_300.def.json +++ b/resources/definitions/blv_mgn_cube_300.def.json @@ -1,10 +1,9 @@ { - "name": "BLV mgn Cube 300", + "name": "BLV MGN Cube 300", "version": 2, "inherits": "blv_mgn_cube_base", "metadata": { "visible": true, - "setting_version": 18, "author": "wolfgangmauer", "manufacturer": "BLV", "file_formats": "text/x-gcode", diff --git a/resources/definitions/blv_mgn_cube_350.def.json b/resources/definitions/blv_mgn_cube_350.def.json index fb8d37ff24..c5e5e28723 100644 --- a/resources/definitions/blv_mgn_cube_350.def.json +++ b/resources/definitions/blv_mgn_cube_350.def.json @@ -1,10 +1,9 @@ { - "name": "BLV mgn Cube 350", + "name": "BLV MGN Cube 350", "version": 2, "inherits": "blv_mgn_cube_base", "metadata": { "visible": true, - "setting_version": 18, "author": "wolfgangmauer", "manufacturer": "BLV", "file_formats": "text/x-gcode", diff --git a/resources/definitions/blv_mgn_cube_base.def.json b/resources/definitions/blv_mgn_cube_base.def.json index c56112c4c5..2c73b80cfc 100644 --- a/resources/definitions/blv_mgn_cube_base.def.json +++ b/resources/definitions/blv_mgn_cube_base.def.json @@ -1,5 +1,5 @@ { - "name": "BLV mgn Cube Base", + "name": "BLV MGN Cube Base", "version": 2, "inherits": "anet3d", "metadata": { diff --git a/resources/definitions/creality_base.def.json b/resources/definitions/creality_base.def.json index e07c6057a0..38becb0838 100644 --- a/resources/definitions/creality_base.def.json +++ b/resources/definitions/creality_base.def.json @@ -1,5 +1,5 @@ { - "name": "Creawsome Base Printer", + "name": "Creality Base Printer", "version": 2, "inherits": "fdmprinter", "metadata": { diff --git a/resources/definitions/creality_ender4.def.json b/resources/definitions/creality_ender4.def.json index 9c13797c92..6fd02d879f 100644 --- a/resources/definitions/creality_ender4.def.json +++ b/resources/definitions/creality_ender4.def.json @@ -4,9 +4,9 @@ "inherits": "creality_base", "overrides": { "machine_name": { "default_value": "Creality Ender-4" }, - "machine_width": { "default_value": 452 }, - "machine_depth": { "default_value": 468 }, - "machine_height": { "default_value": 482 }, + "machine_width": { "default_value": 220 }, + "machine_depth": { "default_value": 220 }, + "machine_height": { "default_value": 300 }, "machine_head_with_fans_polygon": { "default_value": [ [-26, 34], [-26, -32], @@ -24,4 +24,4 @@ "quality_definition": "creality_base", "visible": true } -} \ No newline at end of file +} diff --git a/resources/definitions/deltacomb_base.def.json b/resources/definitions/deltacomb_base.def.json old mode 100755 new mode 100644 index e1f66ee8df..254257036a --- a/resources/definitions/deltacomb_base.def.json +++ b/resources/definitions/deltacomb_base.def.json @@ -13,7 +13,7 @@ "has_variants": true, "variants_name": "Head", - "preferred_quality_type": "d", + "preferred_quality_type": "D020", "preferred_material": "generic_pla", "machine_extruder_trains": { @@ -29,7 +29,7 @@ "machine_heated_bed": { "default_value": true }, "machine_center_is_zero": { "default_value": true }, "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" }, - "machine_start_gcode": { "default_value": ";---------------------------------------\n;Deltacomb start script\n;---------------------------------------\nG21 ;metric values\nG90 ;absolute positioning\nM107 ;start with the fan off\nG28 ;Home all axes (max endstops)\nG92 E0 ;zero the extruded length\nG1 Z15.0 F9000 ;move to the platform down 15mm\nG1 F9000\n\n;Put printing message on LCD screen\nM117 Printing...\n;---------------------------------------"}, + "machine_start_gcode": { "default_value": ";---------------------------------------\n;Deltacomb start script\n;---------------------------------------\nG21 ;metric values\nG90 ;absolute positioning\nM107 ;start with the fan off\nG28 ;Home all axes (max endstops)\nM420 S1; Bed Level Enable\nG92 E0 ;zero the extruded length\nG1 Z15.0 F9000 ;move to the platform down 15mm\nG1 F9000\n\n;Put printing message on LCD screen\nM117 In stampa...\nM140 S{print_bed_temperature} ;set the target bed temperature\n;---------------------------------------"}, "machine_end_gcode": { "default_value": ";---------------------------------------\n;Deltacomb end script\n;---------------------------------------\nG91 ;relative positioning\nG1 F15000 X8.0 E-4.5 ;Wipe filament+material retraction\nG1 F15000 E4.0 Z1 ;Retraction compensation\nG28 ;Home all axes (max endstops)\nM84 ;steppers off\n" }, "machine_shape": { "default_value": "elliptic" }, @@ -60,25 +60,32 @@ "jerk_infill": { "value": "10" }, "jerk_travel": { "value": "10" }, - "retraction_hop_enabled": { "default_value": true }, - "retraction_hop": { "default_value": 0.5 }, - "retraction_amount" : { "default_value": 3.5 }, - "retraction_speed" : { "default_value": 70 }, - "retraction_combing" : { "default_value": "noskin" }, - "travel_avoid_distance": { "value": "1" }, + "retraction_hop_enabled": { "default_value": true }, + "retraction_hop": { "default_value": 1.0 }, + "retraction_amount" : { "default_value": 3.5 }, + "retraction_speed" : { "default_value": 40 }, + "retraction_combing" : { "default_value": "noskin" }, + "travel_avoid_distance": { "value": "1" }, + "travel_avoid_supports": { "value": "True" }, + "retraction_hop_only_when_collides": { "value": "1" }, + + "switch_extruder_retraction_amount": { "value": 10}, + "switch_extruder_retraction_speeds": { "default_value": 70 }, "top_bottom_thickness": { "default_value": 0.8 }, "roofing_layer_count": { "value": "1" }, "roofing_line_width": { "value": "line_width * 0.75" }, + "z_seam_corner": { "value": "'z_seam_corner_weighted'" }, "infill_sparse_density": { "default_value": 30 }, "infill_pattern": { "value": "'cubic'" }, "infill_before_walls": { "default_value": false }, - "support_z_distance": { "value": "layer_height * 2" }, + "support_z_distance": { "value": "layer_height" }, "support_bottom_distance": { "value": "layer_height" }, - "support_use_towers" : { "default_value": false }, - "support_bottom_enable" : { "value": "0" }, + "support_use_towers": { "default_value": false }, + "support_bottom_enable": { "value": false }, + "support_wall_count": { "value": "1" }, "skirt_brim_speed": { "value": "speed_layer_0" }, "skirt_line_count": { "default_value": 3 }, @@ -86,7 +93,8 @@ "brim_width": { "value": "3" }, "prime_tower_size": { "value": "math.sqrt(extruders_enabled_count * prime_tower_min_volume / layer_height / math.pi) * 2"}, - "prime_tower_position_x": { "value": "prime_tower_size - max(extruderValue(adhesion_extruder_nr, 'brim_width') * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' or (prime_tower_brim_enable and adhesion_type != 'raft') else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(adhesion_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0)" }, + "prime_tower_brim_enable": { "value": false }, + "prime_tower_position_x": { "value": "prime_tower_size / 2" }, "prime_tower_position_y": { "value": "machine_depth / 2 - prime_tower_size - max(extruderValue(adhesion_extruder_nr, 'brim_width') * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' or (prime_tower_brim_enable and adhesion_type != 'raft') else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(adhesion_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0) - 1" } } } diff --git a/resources/definitions/deltacomb_dc20.def.json b/resources/definitions/deltacomb_dc20.def.json old mode 100755 new mode 100644 diff --git a/resources/definitions/deltacomb_dc20dual.def.json b/resources/definitions/deltacomb_dc20dual.def.json old mode 100755 new mode 100644 index a78415331c..77b228fdc0 --- a/resources/definitions/deltacomb_dc20dual.def.json +++ b/resources/definitions/deltacomb_dc20dual.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Deltacomb DC-20 DUAL", + "name": "Deltacomb DC-20 Dual", "inherits": "deltacomb_base", "metadata": { @@ -19,6 +19,20 @@ "machine_extruder_count": { "default_value": 2, "maximum_value": "2" }, "machine_width": { "default_value": 190 }, "machine_depth": { "default_value": 190 }, - "machine_height": { "default_value": 250 } + "machine_height": { "default_value": 250 }, + "machine_disallowed_areas":{ "default_value": [ + [[ 53, 78], [ 63, 78], [ 73, 70], [ 62, 70]], + [[ 62, 70], [ 73, 70], [ 81, 61], [ 70, 61]], + [[ 70, 61], [ 81, 61], [ 88, 51], [ 76, 51]], + [[ 76, 51], [ 88, 51], [ 93, 40], [ 81, 40]], + [[ 81, 40], [ 93, 40], [ 97, 29], [ 85, 29]], + [[ 85, 29], [ 97, 29], [ 101, 17], [ 88, 17]], + [[-37, 78], [-47, 78], [-57, 70], [-46, 70]], + [[-46, 70], [-57, 70], [-69, 61], [-54, 61]], + [[-54, 61], [-69, 61], [-72, 51], [-60, 51]], + [[-60, 51], [-72, 51], [-77, 40], [-65, 40]], + [[-65, 40], [-77, 40], [-81, 29], [-69, 29]], + [[-69, 29], [-81, 29], [-85, 17], [-72, 17]] + ]} } } diff --git a/resources/definitions/deltacomb_dc20flux.def.json b/resources/definitions/deltacomb_dc20flux.def.json index fdd4f77942..fa6fdb0ca7 100644 --- a/resources/definitions/deltacomb_dc20flux.def.json +++ b/resources/definitions/deltacomb_dc20flux.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Deltacomb DC-20 FLUX", + "name": "Deltacomb DC-20 Flux", "inherits": "deltacomb_base", "metadata": { @@ -22,8 +22,12 @@ "machine_depth": { "default_value": 190 }, "machine_height": { "default_value": 250 }, "machine_extruder_count": { "default_value": 2, "maximum_value": "4" }, + "machine_end_gcode": { "default_value": ";---------------------------------------\n;Deltacomb end script\n;---------------------------------------\nG91 ;relative positioning\nG1 X8.0 E-10 F6000 ;wipe filament+material retraction\nG1 Z2 E9 ;Lift and start filament shaping\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG28 ;home all axes (max endstops)\nM84 ;steppers off" }, "switch_extruder_retraction_amount": { "value": "0" }, - "prime_tower_min_volume": { "value": "45" }, - "prime_tower_enable": { "value": "1" } + "prime_tower_min_volume": { "value": "50" }, + "prime_tower_enable": { "value": "1" }, + "material_initial_print_temperature": { "value": "material_print_temperature" }, + "material_final_print_temperature": { "value": "material_print_temperature" }, + "material_standby_temperature": { "value": "material_print_temperature" } } } diff --git a/resources/definitions/deltacomb_dc21.def.json b/resources/definitions/deltacomb_dc21.def.json old mode 100755 new mode 100644 diff --git a/resources/definitions/deltacomb_dc21dual.def.json b/resources/definitions/deltacomb_dc21dual.def.json old mode 100755 new mode 100644 index d173888f7a..97cc057944 --- a/resources/definitions/deltacomb_dc21dual.def.json +++ b/resources/definitions/deltacomb_dc21dual.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Deltacomb DC-21 DUAL", + "name": "Deltacomb DC-21 Dual", "inherits": "deltacomb_base", "metadata": { diff --git a/resources/definitions/deltacomb_dc21flux.def.json b/resources/definitions/deltacomb_dc21flux.def.json index c6d20cb301..f2b7941518 100644 --- a/resources/definitions/deltacomb_dc21flux.def.json +++ b/resources/definitions/deltacomb_dc21flux.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Deltacomb DC-21 FLUX", + "name": "Deltacomb DC-21 Flux", "inherits": "deltacomb_base", "metadata": { @@ -17,13 +17,17 @@ }, "overrides": { - "machine_name": { "default_value": "Deltacomb DC-20 FLUX" }, + "machine_name": { "default_value": "Deltacomb DC-21 FLUX" }, "machine_width": { "default_value": 190 }, "machine_depth": { "default_value": 190 }, "machine_height": { "default_value": 400 }, "machine_extruder_count": { "default_value": 2, "maximum_value": "4" }, + "machine_end_gcode": { "default_value": ";---------------------------------------\n;Deltacomb end script\n;---------------------------------------\nG91 ;relative positioning\nG1 X8.0 E-10 F6000 ;wipe filament+material retraction\nG1 Z2 E9 ;Lift and start filament shaping\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG28 ;home all axes (max endstops)\nM84 ;steppers off" }, "switch_extruder_retraction_amount": { "value": "0" }, - "prime_tower_min_volume": { "value": "45" }, - "prime_tower_enable": { "value": "1" } + "prime_tower_min_volume": { "value": "50" }, + "prime_tower_enable": { "value": "1" }, + "material_initial_print_temperature": { "value": "material_print_temperature" }, + "material_final_print_temperature": { "value": "material_print_temperature" }, + "material_standby_temperature": { "value": "material_print_temperature" } } -} +} \ No newline at end of file diff --git a/resources/definitions/deltacomb_dc30.def.json b/resources/definitions/deltacomb_dc30.def.json old mode 100755 new mode 100644 diff --git a/resources/definitions/deltacomb_dc30dual.def.json b/resources/definitions/deltacomb_dc30dual.def.json old mode 100755 new mode 100644 index 4ac2c185b7..97ad1bd102 --- a/resources/definitions/deltacomb_dc30dual.def.json +++ b/resources/definitions/deltacomb_dc30dual.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Deltacomb DC-30 DUAL", + "name": "Deltacomb DC-30 Dual", "inherits": "deltacomb_base", "metadata": { diff --git a/resources/definitions/deltacomb_dc30flux.def.json b/resources/definitions/deltacomb_dc30flux.def.json index 3b2148d9b8..6bf095701c 100644 --- a/resources/definitions/deltacomb_dc30flux.def.json +++ b/resources/definitions/deltacomb_dc30flux.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Deltacomb DC-30 FLUX", + "name": "Deltacomb DC-30 Flux", "inherits": "deltacomb_base", "metadata": { @@ -22,8 +22,12 @@ "machine_depth": { "default_value": 290 }, "machine_height": { "default_value": 300 }, "machine_extruder_count": { "default_value": 2, "maximum_value": "4" }, + "machine_end_gcode": { "default_value": ";---------------------------------------\n;Deltacomb end script\n;---------------------------------------\nG91 ;relative positioning\nG1 X8.0 E-10 F6000 ;wipe filament+material retraction\nG1 Z2 E9 ;Lift and start filament shaping\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG28 ;home all axes (max endstops)\nM84 ;steppers off" }, "switch_extruder_retraction_amount": { "value": "0" }, - "prime_tower_min_volume": { "value": "45" }, - "prime_tower_enable": { "value": "1" } + "prime_tower_min_volume": { "value": "50" }, + "prime_tower_enable": { "value": "1" }, + "material_initial_print_temperature": { "value": "material_print_temperature" }, + "material_final_print_temperature": { "value": "material_print_temperature" }, + "material_standby_temperature": { "value": "material_print_temperature" } } } diff --git a/resources/definitions/fabtotum.def.json b/resources/definitions/fabtotum.def.json index 957dffaef9..1f2565803f 100644 --- a/resources/definitions/fabtotum.def.json +++ b/resources/definitions/fabtotum.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "FABtotum Personal Fabricator", + "name": "Fabtotum Personal Fabricator", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "FABtotum", - "manufacturer": "FABtotum", + "author": "Fabtotum", + "manufacturer": "Fabtotum", "file_formats": "text/x-gcode", "platform": "fabtotum_platform.3mf", "has_machine_quality": true, diff --git a/resources/definitions/fdmprinter.def.json b/resources/definitions/fdmprinter.def.json index 4d2603dbbc..04ad4c83fb 100644 --- a/resources/definitions/fdmprinter.def.json +++ b/resources/definitions/fdmprinter.def.json @@ -3103,7 +3103,6 @@ "default_value": 10, "minimum_value": "0", "maximum_value": "machine_max_feedrate_z", - "enabled": "retraction_enable and retraction_hop_enabled", "settable_per_mesh": false, "settable_per_extruder": true }, @@ -3884,7 +3883,7 @@ "retraction_combing_max_distance": { "label": "Max Comb Distance With No Retract", - "description": "When non-zero, combing travel moves that are longer than this distance will use retraction.", + "description": "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction.", "unit": "mm", "type": "float", "default_value": 0, diff --git a/resources/definitions/flashforge_dreamer_nx.def.json b/resources/definitions/flashforge_dreamer_nx.def.json index c551c2792c..04eae33272 100644 --- a/resources/definitions/flashforge_dreamer_nx.def.json +++ b/resources/definitions/flashforge_dreamer_nx.def.json @@ -14,6 +14,8 @@ "overrides": { "machine_name": { "default_value": "Dreamer NX" }, + "retraction_amount": { "default_value": 1.3 }, + "retraction_speed": { "default_value": 40 }, "machine_width": {"default_value": 230}, "machine_height": {"default_value": 140}, "machine_depth": {"default_value": 150}, diff --git a/resources/definitions/flsun_q5.def.json b/resources/definitions/flsun_q5.def.json index 18d0d46842..db52b54eb6 100644 --- a/resources/definitions/flsun_q5.def.json +++ b/resources/definitions/flsun_q5.def.json @@ -1,10 +1,10 @@ { "version": 2, - "name": "FLSUN Q5", + "name": "Flsun Q5", "inherits": "fdmprinter", "metadata": { "visible": true, - "manufacturer": "FLSUN", + "manufacturer": "Flsun", "author": "Daniel Kreuzhofer", "file_formats": "text/x-gcode", "machine_extruder_trains": { diff --git a/resources/definitions/flsun_qq.def.json b/resources/definitions/flsun_qq.def.json index 02b3849c12..6c32fea5e3 100644 --- a/resources/definitions/flsun_qq.def.json +++ b/resources/definitions/flsun_qq.def.json @@ -1,10 +1,10 @@ { "version": 2, - "name": "FLSUN QQ", + "name": "Flsun QQ", "inherits": "fdmprinter", "metadata": { "visible": true, - "manufacturer": "FLSUN", + "manufacturer": "Flsun", "author": "Daniel Green", "file_formats": "text/x-gcode", "machine_extruder_trains": { diff --git a/resources/definitions/flsun_qq_s.def.json b/resources/definitions/flsun_qq_s.def.json index 241c399cf5..024531a28d 100644 --- a/resources/definitions/flsun_qq_s.def.json +++ b/resources/definitions/flsun_qq_s.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "FLSUN QQ-S", + "name": "Flsun QQ-S", "inherits": "fdmprinter", "metadata": { "visible": true, "author": "Cataldo URSO & Eddy Emck ", - "manufacturer": "FLSUN", + "manufacturer": "Flsun", "platform": "flsun_qq_s.3mf", "file_formats": "text/x-gcode", "has_materials": true, diff --git a/resources/definitions/hellbot_magna_dual.def.json b/resources/definitions/hellbot_magna_dual.def.json index 591901885d..feaee38419 100644 --- a/resources/definitions/hellbot_magna_dual.def.json +++ b/resources/definitions/hellbot_magna_dual.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Hellbot Magna DUAL", + "name": "Hellbot Magna Dual", "inherits": "fdmprinter", "metadata": { "visible": true, diff --git a/resources/definitions/helloBEEprusa.def.json b/resources/definitions/helloBEEprusa.def.json index 3ef938d7e3..ad1c9fd699 100644 --- a/resources/definitions/helloBEEprusa.def.json +++ b/resources/definitions/helloBEEprusa.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "Hello BEE Prusa", + "name": "Hello Bee Prusa", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "BEEVERYCREATIVE", - "manufacturer": "BEEVERYCREATIVE", + "author": "Beeverycreative", + "manufacturer": "Beeverycreative", "platform": "BEEVERYCREATIVE-helloBEEprusa.3mf", "platform_offset": [-226, -75, -196], "file_formats": "text/x-gcode", diff --git a/resources/definitions/ideagen3D_sapphire_plus.def.json b/resources/definitions/ideagen3D_sapphire_plus.def.json index 7d7e3601a8..55f471793a 100644 --- a/resources/definitions/ideagen3D_sapphire_plus.def.json +++ b/resources/definitions/ideagen3D_sapphire_plus.def.json @@ -1,12 +1,12 @@ { "version": 2, - "name": "ideagen3D Sapphire Plus", + "name": "Ideagen3D Sapphire Plus", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "ideagen3D", - "manufacturer": "ideagen3D", + "author": "Ideagen3D", + "manufacturer": "Ideagen3D", "file_formats": "text/x-gcode", "platform": "ideagen3D_sapphire_plus.3mf", "has_materials": true, diff --git a/resources/definitions/imade3d_jellybox.def.json b/resources/definitions/imade3d_jellybox.def.json index 9e481dbe0e..134ccc720c 100644 --- a/resources/definitions/imade3d_jellybox.def.json +++ b/resources/definitions/imade3d_jellybox.def.json @@ -1,10 +1,10 @@ { "version": 2, - "name": "IMADE3D JellyBOX Original", + "name": "Imade3D JellyBOX Original", "inherits": "imade3d_jellybox_root", "metadata": { "visible": true, - "author": "IMADE3D", + "author": "Imade3D", "platform": "imade3d_jellybox_platform.3mf", "platform_offset": [ 0, -0.3, 0], "preferred_variant_name": "0.4 mm", diff --git a/resources/definitions/imade3d_jellybox_2.def.json b/resources/definitions/imade3d_jellybox_2.def.json index 3cb035bdd1..1774da0b1c 100644 --- a/resources/definitions/imade3d_jellybox_2.def.json +++ b/resources/definitions/imade3d_jellybox_2.def.json @@ -1,10 +1,10 @@ { "version": 2, - "name": "IMADE3D JellyBOX 2", + "name": "Imade3D JellyBOX 2", "inherits": "imade3d_jellybox_root", "metadata": { "visible": true, - "author": "IMADE3D", + "author": "Imade3D", "platform": "imade3d_jellybox_2_platform.3mf", "platform_offset": [ 0, -10, 0], "preferred_variant_name": "0.4 mm", diff --git a/resources/definitions/imade3d_jellybox_root.def.json b/resources/definitions/imade3d_jellybox_root.def.json index f631fcb673..5de6d9dae1 100644 --- a/resources/definitions/imade3d_jellybox_root.def.json +++ b/resources/definitions/imade3d_jellybox_root.def.json @@ -3,8 +3,8 @@ "name": "imade3d_jellybox_root", "inherits": "fdmprinter", "metadata": { - "author": "IMADE3D", - "manufacturer": "IMADE3D", + "author": "Imade3D", + "manufacturer": "Imade3D", "visible": false, "file_formats": "text/x-gcode", "exclude_materials": [ diff --git a/resources/definitions/inat_base.def.json b/resources/definitions/inat_base.def.json index 5299f5f46f..974ae9ac5a 100644 --- a/resources/definitions/inat_base.def.json +++ b/resources/definitions/inat_base.def.json @@ -1,10 +1,10 @@ { - "name": "INAT Base description", + "name": "Inat Base description", "version": 2, "inherits": "fdmprinter", "metadata": { - "author": "INAT s.r.o.", - "manufacturer": "INAT s.r.o.", + "author": "Inat s.r.o.", + "manufacturer": "Inat s.r.o.", "file_formats": "text/x-gcode", "visible": false, "has_materials": true, @@ -23,7 +23,7 @@ }, "overrides": { "machine_start_gcode": { - "default_value": "G28 ;Home\nG0 Z0.6 F200 ;Move nozzle down\nM192 ; Wait for probe temperature to settle\nG28 Z\nG29\nG0 X0 Y0 Z30 F6000\nM84 E\nM0\nG1 Z15.0 F6000 ;Move the platform down 15mm\n" + "default_value": "G28 ;Home\nG0 X-2 Y150 F6000 ;Move to the side\nG0 Z0.3 F200 ;Move nozzle down\nM192 ; Wait for probe temperature to settle\nG28 Z\nG29\nG0 X0 Y0 Z30 F6000\nM84 E\nM0\nG1 Z15.0 F6000 ;Move the platform down 15mm\n" }, "machine_end_gcode": { "default_value": "M400\nM104 S0\nM140 S0\nM107\n;Retract the filament\nG92 E1\nG1 E-1 F300\nG28 R5 X\nG0 Y300 F3000\nM84\n" diff --git a/resources/definitions/inat_proton_x_rail.def.json b/resources/definitions/inat_proton_x_rail.def.json index 70badb7350..ffaca10bdf 100644 --- a/resources/definitions/inat_proton_x_rail.def.json +++ b/resources/definitions/inat_proton_x_rail.def.json @@ -13,7 +13,7 @@ "machine_name": { "default_value": "Proton X Rail" }, "machine_width": { "default_value": 304 }, "machine_depth": { "default_value": 304 }, - "machine_height": { "default_value": 675 }, + "machine_height": { "default_value": 300 }, "machine_max_acceleration_x": { "value": 500 }, diff --git a/resources/definitions/inat_proton_x_rod.def.json b/resources/definitions/inat_proton_x_rod.def.json index 93f9371e97..1c3592bbd3 100644 --- a/resources/definitions/inat_proton_x_rod.def.json +++ b/resources/definitions/inat_proton_x_rod.def.json @@ -13,6 +13,6 @@ "machine_name": { "default_value": "Proton X Rod" }, "machine_width": { "default_value": 304 }, "machine_depth": { "default_value": 304 }, - "machine_height": { "default_value": 675 } + "machine_height": { "default_value": 300 } } } \ No newline at end of file diff --git a/resources/definitions/innovo_inventor.def.json b/resources/definitions/innovo_inventor.def.json index a38bf98a5a..e930b994c3 100644 --- a/resources/definitions/innovo_inventor.def.json +++ b/resources/definitions/innovo_inventor.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Innovo INVENTOR", + "name": "Innovo Inventor", "inherits": "fdmprinter", "metadata": { "visible": true, diff --git a/resources/definitions/kemiq_q2_beta.def.json b/resources/definitions/kemiq_q2_beta.def.json index 8eb7954e69..8957e75a28 100644 --- a/resources/definitions/kemiq_q2_beta.def.json +++ b/resources/definitions/kemiq_q2_beta.def.json @@ -4,8 +4,8 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "KEMIQ", - "manufacturer": "KEMIQ", + "author": "Kemiq", + "manufacturer": "Kemiq", "file_formats": "text/x-gcode", "platform": "kemiq_q2.3mf", "has_machine_quality": true, diff --git a/resources/definitions/kemiq_q2_gama.def.json b/resources/definitions/kemiq_q2_gama.def.json index f30cce0311..6bb99125ef 100644 --- a/resources/definitions/kemiq_q2_gama.def.json +++ b/resources/definitions/kemiq_q2_gama.def.json @@ -4,8 +4,8 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "KEMIQ", - "manufacturer": "KEMIQ", + "author": "Kemiq", + "manufacturer": "Kemiq", "file_formats": "text/x-gcode", "platform": "kemiq_q2.3mf", "has_machine_quality": true, diff --git a/resources/definitions/kupido.def.json b/resources/definitions/kupido.def.json index bee92ac282..717c85f93b 100644 --- a/resources/definitions/kupido.def.json +++ b/resources/definitions/kupido.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "KUPIDO", + "name": "Kupido", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "ALYA", + "author": "Kupido", "manufacturer": "Kati Hal ARGE", "file_formats": "text/x-gcode", "platform_offset": [ 0, 0, 0], diff --git a/resources/definitions/longer_base.def.json b/resources/definitions/longer_base.def.json new file mode 100644 index 0000000000..d1638fda75 --- /dev/null +++ b/resources/definitions/longer_base.def.json @@ -0,0 +1,170 @@ +{ + "name": "Longer Base Printer", + "version": 2, + "inherits": "fdmprinter", + "metadata": { + "visible": false, + "author": "Longer", + "manufacturer": "Longer", + "file_formats": "text/x-gcode", + "first_start_actions": ["MachineSettingsAction"], + + "machine_extruder_trains": { + "0": "longer_base_extruder_0" + }, + + "has_materials": true, + "has_variants": true, + "has_machine_quality": true, + "variants_name": "Nozzle Size", + + "preferred_variant_name": "0.4mm Nozzle", + "preferred_quality_type": "standard", + "preferred_material": "generic_pla" + + }, + "overrides": { + "machine_name": { "default_value": "LONGER Base Printer" }, + "machine_start_gcode": { "default_value": "; LONGER Start G-code\nG21 ; metric values\nG90 ; absolute positioning\nM82 ; set extruder to absolute mode\nM107 ; start with the fan off\nG92 E0 ; Reset Extruder\nG28 ; Home all axes\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X0.1 Y20 Z0.3 F5000.0 ; Move to start position\nG1 X0.1 Y200.0 Z0.3 F1500.0 E15 ; Draw the first line\nG1 X0.4 Y200.0 Z0.3 F5000.0 ; Move to side a little\nG1 X0.4 Y20 Z0.3 F1500.0 E30 ; Draw the second line\nG92 E0 ; Reset Extruder\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X5 Y20 Z0.3 F5000.0 ; Move over to prevent blob squish\n" }, + "machine_end_gcode": { "default_value": "; LONGER End G-code\nG91 ;Relative positioning\nG1 E-2 F2700 ;Retract a bit\nG1 E-2 Z0.2 F2400 ;Retract and raise Z\nG1 X5 Y5 F3000 ;Wipe out\nG1 Z10 ;Raise Z more\nG90 ;Absolute positioning\nG1 X0 Y{machine_depth} ;Present print\nM106 S0 ;Turn-off fan\nM104 S0 ;Turn-off hotend\nM140 S0 ;Turn-off bed\nM84 X Y E ;Disable all steppers but Z\n" }, + + "machine_max_feedrate_x": { "value": 500 }, + "machine_max_feedrate_y": { "value": 500 }, + "machine_max_feedrate_z": { "value": 10 }, + "machine_max_feedrate_e": { "value": 50 }, + + "machine_max_acceleration_x": { "value": 500 }, + "machine_max_acceleration_y": { "value": 500 }, + "machine_max_acceleration_z": { "value": 100 }, + "machine_max_acceleration_e": { "value": 5000 }, + "machine_acceleration": { "value": 500 }, + + "machine_max_jerk_xy": { "value": 10 }, + "machine_max_jerk_z": { "value": 0.4 }, + "machine_max_jerk_e": { "value": 5 }, + + "machine_heated_bed": { "default_value": true }, + + "material_diameter": { "default_value": 1.75 }, + + "acceleration_print": { "value": 500 }, + "acceleration_travel": { "value": 500 }, + "acceleration_travel_layer_0": { "value": "acceleration_travel" }, + "acceleration_roofing": { "enabled": "acceleration_enabled and roofing_layer_count > 0 and top_layers > 0" }, + + "jerk_print": { "value": 8 }, + "jerk_travel": { "value": "jerk_print" }, + "jerk_travel_layer_0": { "value": "jerk_travel" }, + + "acceleration_enabled": { "value": false }, + "jerk_enabled": { "value": false }, + + "speed_print": { "value": 50.0 } , + "speed_infill": { "value": "speed_print" }, + "speed_wall": { "value": "speed_print / 2" }, + "speed_wall_0": { "value": "speed_wall" }, + "speed_wall_x": { "value": "speed_wall" }, + "speed_topbottom": { "value": "speed_print / 2" }, + "speed_roofing": { "value": "speed_topbottom" }, + "speed_travel": { "value": "150.0 if speed_print < 60 else 250.0 if speed_print > 100 else speed_print * 2.5" }, + "speed_layer_0": { "value": 20.0 }, + "speed_print_layer_0": { "value": "speed_layer_0" }, + "speed_travel_layer_0": { "value": "100 if speed_layer_0 < 20 else 150 if speed_layer_0 > 30 else speed_layer_0 * 5" }, + "speed_prime_tower": { "value": "speed_topbottom" }, + "speed_support": { "value": "speed_wall_0" }, + "speed_support_interface": { "value": "speed_topbottom" }, + "speed_z_hop": { "value": 5 }, + + "skirt_brim_speed": { "value": "speed_layer_0" }, + + "line_width": { "value": "machine_nozzle_size" }, + + "optimize_wall_printing_order": { "value": "True" }, + + "material_initial_print_temperature": { "value": "material_print_temperature" }, + "material_final_print_temperature": { "value": "material_print_temperature" }, + "material_flow": { "value": 100 }, + "travel_compensate_overlapping_walls_0_enabled": { "value": "False" }, + + "z_seam_type": { "value": "'back'" }, + "z_seam_corner": { "value": "'z_seam_corner_weighted'" }, + + "infill_sparse_density": { "value": "20" }, + "infill_pattern": { "value": "'lines' if infill_sparse_density > 50 else 'cubic'" }, + "infill_before_walls": { "value": false }, + "infill_overlap": { "value": 30.0 }, + "skin_overlap": { "value": 10.0 }, + "infill_wipe_dist": { "value": 0.0 }, + "wall_0_wipe_dist": { "value": 0.0 }, + + "fill_perimeter_gaps": { "value": "'everywhere'" }, + "fill_outline_gaps": { "value": false }, + "filter_out_tiny_gaps": { "value": false }, + + "retraction_amount": { "default_value": 5 }, + "retraction_speed": { + "maximum_value_warning": "machine_max_feedrate_e if retraction_enable else float('inf')", + "maximum_value": 200, + "default_value": 45 + }, + "retraction_retract_speed": { + "maximum_value_warning": "machine_max_feedrate_e if retraction_enable else float('inf')", + "maximum_value": 200 + }, + "retraction_prime_speed": { + "maximum_value_warning": "machine_max_feedrate_e if retraction_enable else float('inf')", + "maximum_value": 200 + }, + + "retraction_hop_enabled": { "value": "False" }, + "retraction_hop": { "value": 0.2 }, + "retraction_combing": { "value": "'off' if retraction_hop_enabled else 'noskin'" }, + "retraction_combing_max_distance": { "value": 30 }, + "travel_avoid_other_parts": { "value": true }, + "travel_avoid_supports": { "value": true }, + "travel_retract_before_outer_wall": { "value": true }, + + "retraction_enable": { "value": true }, + "retraction_count_max": { "value": 100 }, + "retraction_extrusion_window": { "value": 10 }, + "retraction_min_travel": { "value": 1.5 }, + + "cool_fan_full_at_height": { "value": "layer_height_0 + 2 * layer_height" }, + "cool_fan_enabled": { "value": true }, + "cool_min_layer_time": { "value": 10 }, + + "adhesion_type": { "value": "'skirt'" }, + "brim_replaces_support": { "value": false }, + "skirt_gap": { "value": 10.0 }, + "skirt_line_count": { "value": 3 }, + + "adaptive_layer_height_variation": { "value": 0.04 }, + "adaptive_layer_height_variation_step": { "value": 0.04 }, + + "meshfix_maximum_resolution": { "value": "0.25" }, + "meshfix_maximum_travel_resolution": { "value": "meshfix_maximum_resolution" }, + + "support_angle": { "value": "math.floor(math.degrees(math.atan(line_width/2.0/layer_height)))" }, + "support_pattern": { "value": "'zigzag'" }, + "support_infill_rate": { "value": "0 if support_enable and support_structure == 'tree' else 20" }, + "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_xy_overrides_z": { "value": "'xy_overrides_z'" }, + "support_wall_count": { "value": 1 }, + "support_brim_enable": { "value": true }, + "support_brim_width": { "value": 4 }, + + "support_interface_enable": { "value": true }, + "support_interface_height": { "value": "layer_height * 4" }, + "support_interface_density": { "value": 33.333 }, + "support_interface_pattern": { "value": "'grid'" }, + "support_interface_skip_height": { "value": 0.2 }, + "minimum_support_area": { "value": 2 }, + "minimum_interface_area": { "value": 10 }, + "top_bottom_thickness": {"value": "layer_height_0 + layer_height * 3" }, + "wall_thickness": {"value": "line_width * 2" } + + } +} diff --git a/resources/definitions/longer_cube2.def.json b/resources/definitions/longer_cube2.def.json new file mode 100644 index 0000000000..7b4266041a --- /dev/null +++ b/resources/definitions/longer_cube2.def.json @@ -0,0 +1,32 @@ +{ + "name": "Longer Cube2", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_cube2_platform.stl", + "platform_offset": [-60, -3 ,70] + }, + "overrides": { + "machine_name": { "default_value": "LONGER Cube2" }, + "machine_start_gcode": { "default_value": "; LONGER Cube2 Start G-code\nG21 ; metric values\nG90 ; absolute positioning\nM82 ; set extruder to absolute mode\nM107 ; start with the fan off\nG92 E0 ; Reset Extruder\nG28 ; Home all axes\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X0.1 Y20 Z0.3 F5000.0 ; Move to start position\nG1 X0.1 Y120.0 Z0.3 F1500.0 E15 ; Draw the first line\nG1 X0.4 Y120.0 Z0.3 F5000.0 ; Move to side a little\nG1 X0.4 Y20 Z0.3 F1500.0 E30 ; Draw the second line\nG92 E0 ; Reset Extruder\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X5 Y20 Z0.3 F5000.0 ; Move over to prevent blob squish\n" }, + "machine_end_gcode": { "default_value": "; LONGER Cube2 End G-code\nG91 ;Relative positioning\nG1 E-2 F2700 ;Retract a bit\nG1 E-2 Z0.2 F2400 ;Retract and raise Z\nG1 X5 Y5 F3000 ;Wipe out\nG1 Z10 ;Raise Z more\nG90 ;Absolute positioning\nG1 X0 Y{machine_depth} ;Present print\nM106 S0 ;Turn-off fan\nM104 S0 ;Turn-off hotend\nM84 X Y E ;Disable all steppers but Z\n" }, + + "machine_heated_bed": { "default_value": false }, + + "machine_width": { "default_value": 120 }, + "machine_depth": { "default_value": 140 }, + "machine_height": { "default_value": 105 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 31], + [-22, -21], + [14, -21], + [14, 31] + ] + }, + + "gantry_height": { "value": 18 } + } +} diff --git a/resources/definitions/longer_lk1.def.json b/resources/definitions/longer_lk1.def.json new file mode 100644 index 0000000000..b422a205e6 --- /dev/null +++ b/resources/definitions/longer_lk1.def.json @@ -0,0 +1,27 @@ +{ + "name": "Longer LK1", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_310mm_platform.stl", + "platform_offset": [-155, -3 ,155] + }, + "overrides": { + "machine_name": { "default_value": "LONGER LK1" }, + "machine_width": { "default_value": 300 }, + "machine_depth": { "default_value": 300 }, + "machine_height": { "default_value": 400 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 39], + [-22, -34], + [58, -34], + [58, 39] + ] + }, + + "gantry_height": { "value": 33 } + } +} diff --git a/resources/definitions/longer_lk1plus.def.json b/resources/definitions/longer_lk1plus.def.json new file mode 100644 index 0000000000..da5d1a6f27 --- /dev/null +++ b/resources/definitions/longer_lk1plus.def.json @@ -0,0 +1,27 @@ +{ + "name": "Longer LK1 Plus", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_415mm_platform.stl", + "platform_offset": [-207.5, -3 ,207.5] + }, + "overrides": { + "machine_name": { "default_value": "LONGER LK1 Plus" }, + "machine_width": { "default_value": 400 }, + "machine_depth": { "default_value": 400 }, + "machine_height": { "default_value": 500 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 39], + [-22, -34], + [58, -34], + [58, 39] + ] + }, + + "gantry_height": { "value": 33 } + } +} diff --git a/resources/definitions/longer_lk1pro.def.json b/resources/definitions/longer_lk1pro.def.json new file mode 100644 index 0000000000..ee0a2e0ac7 --- /dev/null +++ b/resources/definitions/longer_lk1pro.def.json @@ -0,0 +1,27 @@ +{ + "name": "Longer LK1 Pro", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_310mm_platform.stl", + "platform_offset": [-155, -3 ,155] + }, + "overrides": { + "machine_name": { "default_value": "LONGER LK1 Pro" }, + "machine_width": { "default_value": 300 }, + "machine_depth": { "default_value": 300 }, + "machine_height": { "default_value": 400 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 39], + [-22, -34], + [58, -34], + [58, 39] + ] + }, + + "gantry_height": { "value": 33 } + } +} diff --git a/resources/definitions/longer_lk4.def.json b/resources/definitions/longer_lk4.def.json new file mode 100644 index 0000000000..92cc50f2b5 --- /dev/null +++ b/resources/definitions/longer_lk4.def.json @@ -0,0 +1,27 @@ +{ + "name": "Longer LK4", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_235mm_platform.stl", + "platform_offset": [-117.5, -3 ,117.5] + }, + "overrides": { + "machine_name": { "default_value": "LONGER LK4" }, + "machine_width": { "default_value": 220 }, + "machine_depth": { "default_value": 220 }, + "machine_height": { "default_value": 250 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 39], + [-22, -34], + [58, -34], + [58, 39] + ] + }, + + "gantry_height": { "value": 33 } + } +} diff --git a/resources/definitions/longer_lk4pro.def.json b/resources/definitions/longer_lk4pro.def.json new file mode 100644 index 0000000000..6cd83b6048 --- /dev/null +++ b/resources/definitions/longer_lk4pro.def.json @@ -0,0 +1,27 @@ +{ + "name": "Longer LK4 Pro", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_235mm_platform.stl", + "platform_offset": [-117.5, -3 ,117.5] + }, + "overrides": { + "machine_name": { "default_value": "LONGER LK4 Pro" }, + "machine_width": { "default_value": 220 }, + "machine_depth": { "default_value": 220 }, + "machine_height": { "default_value": 250 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 39], + [-22, -34], + [58, -34], + [58, 39] + ] + }, + + "gantry_height": { "value": 33 } + } +} diff --git a/resources/definitions/longer_lk5.def.json b/resources/definitions/longer_lk5.def.json new file mode 100644 index 0000000000..dc473489f1 --- /dev/null +++ b/resources/definitions/longer_lk5.def.json @@ -0,0 +1,27 @@ +{ + "name": "Longer LK5", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_310mm_platform.stl", + "platform_offset": [-155, -3 ,155] + }, + "overrides": { + "machine_name": { "default_value": "LONGER LK5" }, + "machine_width": { "default_value": 300 }, + "machine_depth": { "default_value": 300 }, + "machine_height": { "default_value": 400 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 39], + [-22, -34], + [58, -34], + [58, 39] + ] + }, + + "gantry_height": { "value": 33 } + } +} diff --git a/resources/definitions/longer_lk5pro.def.json b/resources/definitions/longer_lk5pro.def.json new file mode 100644 index 0000000000..e16038d4b7 --- /dev/null +++ b/resources/definitions/longer_lk5pro.def.json @@ -0,0 +1,27 @@ +{ + "name": "Longer LK5 Pro", + "version": 2, + "inherits": "longer_base", + "metadata": { + "quality_definition": "longer_base", + "visible": true, + "platform": "longer_310mm_platform.stl", + "platform_offset": [-155, -3 ,155] + }, + "overrides": { + "machine_name": { "default_value": "LONGER LK5 Pro" }, + "machine_width": { "default_value": 300 }, + "machine_depth": { "default_value": 300 }, + "machine_height": { "default_value": 400 }, + + "machine_head_with_fans_polygon": { "default_value": [ + [-22, 39], + [-22, -34], + [58, -34], + [58, 39] + ] + }, + + "gantry_height": { "value": 33 } + } +} diff --git a/resources/definitions/makeR_pegasus.def.json b/resources/definitions/makeR_pegasus.def.json index 5e3ab26a4f..a8fbf49875 100644 --- a/resources/definitions/makeR_pegasus.def.json +++ b/resources/definitions/makeR_pegasus.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "makeR Pegasus", + "name": "Maker Pegasus", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "makeR", - "manufacturer": "makeR", + "author": "Maker", + "manufacturer": "Maker", "file_formats": "text/x-gcode", "platform": "makeR_pegasus_platform.3mf", "platform_offset": [-200, -10, 200], diff --git a/resources/definitions/makeR_prusa_tairona_i3.def.json b/resources/definitions/makeR_prusa_tairona_i3.def.json index d722a96410..f56dc314a2 100644 --- a/resources/definitions/makeR_prusa_tairona_i3.def.json +++ b/resources/definitions/makeR_prusa_tairona_i3.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "makeR Prusa Tairona i3", + "name": "Maker Prusa Tairona i3", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "makeR", - "manufacturer": "makeR", + "author": "Maker", + "manufacturer": "Maker", "file_formats": "text/x-gcode", "platform": "makeR_prusa_tairona_i3_platform.3mf", "platform_offset": [-2, 0, 0], diff --git a/resources/definitions/makeit_pro_l.def.json b/resources/definitions/makeit_pro_l.def.json index 75479fd5cc..237a8ac09e 100644 --- a/resources/definitions/makeit_pro_l.def.json +++ b/resources/definitions/makeit_pro_l.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "MAKEiT Pro-L", + "name": "Makeit Pro-L", "inherits": "fdmprinter", "metadata": { "visible": true, "author": "unknown", - "manufacturer": "MAKEiT 3D", + "manufacturer": "Makeit 3D", "file_formats": "text/x-gcode", "has_materials": false, "machine_extruder_trains": diff --git a/resources/definitions/makeit_pro_m.def.json b/resources/definitions/makeit_pro_m.def.json index 812a4fe901..3eb0850555 100644 --- a/resources/definitions/makeit_pro_m.def.json +++ b/resources/definitions/makeit_pro_m.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "MAKEiT Pro-M", + "name": "Makeit Pro-M", "inherits": "fdmprinter", "metadata": { "visible": true, "author": "unknown", - "manufacturer": "MAKEiT 3D", + "manufacturer": "Makeit 3D", "file_formats": "text/x-gcode", "has_materials": false, "machine_extruder_trains": diff --git a/resources/definitions/makeit_pro_mx.def.json b/resources/definitions/makeit_pro_mx.def.json index 5f922dcd00..9322d2f510 100644 --- a/resources/definitions/makeit_pro_mx.def.json +++ b/resources/definitions/makeit_pro_mx.def.json @@ -1,11 +1,11 @@ { "version": 2, - "name": "MAKEiT Pro-MX", + "name": "Makeit Pro-MX", "inherits": "fdmprinter", "metadata": { "visible": true, "author": "unknown", - "manufacturer": "MAKEiT 3D", + "manufacturer": "Makeit 3D", "file_formats": "text/x-gcode", "has_materials": false, "machine_extruder_trains": diff --git a/resources/definitions/mingda_base.def.json b/resources/definitions/mingda_base.def.json index 4fc1fd3bbb..5dd9eeed7a 100644 --- a/resources/definitions/mingda_base.def.json +++ b/resources/definitions/mingda_base.def.json @@ -1,11 +1,11 @@ { - "name": "MINGDA Base Printer", + "name": "Mingda Base Printer", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": false, - "author": "cataclism", - "manufacturer": "MINGDA", + "author": "Cataclism", + "manufacturer": "Mingda", "file_formats": "text/x-gcode", "first_start_actions": ["MachineSettingsAction"], diff --git a/resources/definitions/mingda_d2.def.json b/resources/definitions/mingda_d2.def.json index a20ff53db1..d6278705ad 100644 --- a/resources/definitions/mingda_d2.def.json +++ b/resources/definitions/mingda_d2.def.json @@ -1,5 +1,5 @@ { - "name": "MINGDA D2", + "name": "Mingda D2", "version": 2, "inherits": "mingda_base", "overrides": { diff --git a/resources/definitions/mingda_d3pro.def.json b/resources/definitions/mingda_d3pro.def.json index 63c9061fa2..682cd88d88 100644 --- a/resources/definitions/mingda_d3pro.def.json +++ b/resources/definitions/mingda_d3pro.def.json @@ -1,5 +1,5 @@ { - "name": "MINGDA D3/Pro", + "name": "Mingda D3/Pro", "version": 2, "inherits": "mingda_base", "overrides": { diff --git a/resources/definitions/mingda_d4pro.def.json b/resources/definitions/mingda_d4pro.def.json index 0cff777d2d..00d316c925 100644 --- a/resources/definitions/mingda_d4pro.def.json +++ b/resources/definitions/mingda_d4pro.def.json @@ -1,5 +1,5 @@ { - "name": "MINGDA D4 Pro", + "name": "Mingda D4 Pro", "version": 2, "inherits": "mingda_base", "overrides": { diff --git a/resources/definitions/mingda_rock3.def.json b/resources/definitions/mingda_rock3.def.json index 70254490b2..c470d6e7e5 100644 --- a/resources/definitions/mingda_rock3.def.json +++ b/resources/definitions/mingda_rock3.def.json @@ -1,5 +1,5 @@ { - "name": "MINGDA Rock3/Pro", + "name": "Mingda Rock3/Pro", "version": 2, "inherits": "mingda_base", "overrides": { diff --git a/resources/definitions/nwa3d_a31.def.json b/resources/definitions/nwa3d_a31.def.json index 1cfd02fe7f..fef44ac16b 100644 --- a/resources/definitions/nwa3d_a31.def.json +++ b/resources/definitions/nwa3d_a31.def.json @@ -1,11 +1,11 @@ { - "name": "NWA3D A31", + "name": "Nwa3D A31", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": true, "author": "DragonJe", - "manufacturer": "NWA 3D LLC", + "manufacturer": "Nwa 3D LLC", "file_formats": "text/x-gcode", "platform_offset": [0, 0, 0], "has_materials": true, diff --git a/resources/definitions/nwa3d_a5.def.json b/resources/definitions/nwa3d_a5.def.json index 1631860d47..8c6b53b81e 100644 --- a/resources/definitions/nwa3d_a5.def.json +++ b/resources/definitions/nwa3d_a5.def.json @@ -1,11 +1,11 @@ { - "name": "NWA3D A5", + "name": "Nwa3D A5", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": true, "author": "DragonJe", - "manufacturer": "NWA 3D LLC", + "manufacturer": "Nwa 3D LLC", "file_formats": "text/x-gcode", "platform_offset": [0, 0, 0], "has_materials": true, diff --git a/resources/definitions/skriware_2.def.json b/resources/definitions/skriware_2.def.json index 88f4e3eecf..f46213dde7 100644 --- a/resources/definitions/skriware_2.def.json +++ b/resources/definitions/skriware_2.def.json @@ -1,717 +1,732 @@ { - "name": "Skriware 2", - "version": 2, - "inherits": "fdmprinter", - "metadata": { - "visible": true, - "author": "Skriware", - "manufacturer": "Skriware", - "file_formats": "text/x-gcode", - "platform_offset": [ - 0, - 0, - 0 - ], - "supports_usb_connection": false, - "platform": "skriware_2_platform.3mf", - "machine_extruder_trains": { - "0": "skriware_2_extruder_0", - "1": "skriware_2_extruder_1" - } - }, - "overrides": { - "raft_interface_thickness": { - "value": "0.2" - }, - "wipe_retraction_prime_speed": { - "value": "30" - }, - "support_skip_zag_per_mm": { - "default_value": 10 - }, - "material_bed_temperature": { - "value": "50" - }, - "raft_airgap": { - "default_value": 0.2 - }, - "top_layers": { - "value": "4" - }, - "machine_extruder_count": { - "default_value": 2 - }, - "raft_surface_acceleration": { - "value": "400" - }, - "meshfix_maximum_travel_resolution": { - "value": "0.8" - }, - "machine_end_gcode": { - "default_value": "M59\nG92 E0\nG1 E-10 F300\nM104 T0 S0\nM104 T1 S0\nM140 S0\nG28 X0 Y0\nM84\nM106 S0\nM107" - }, - "wall_material_flow": { - "value": "99" - }, - "raft_interface_jerk": { - "value": "10" - }, - "acceleration_topbottom": { - "value": "400" - }, - "prime_tower_size": { - "default_value": 1 - }, - "max_skin_angle_for_expansion": { - "default_value": 50 - }, - "raft_acceleration": { - "value": "400" - }, - "support_xy_distance": { - "default_value": 0.6 - }, - "xy_offset_layer_0": { - "value": "-0.16" - }, - "raft_interface_fan_speed": { - "value": "40" - }, - "retraction_speed": { - "default_value": 30 - }, - "speed_print": { - "default_value": 20 - }, - "travel_avoid_supports": { - "default_value": true - }, - "infill_overlap_mm": { - "value": "0.0" - }, - "support_roof_height": { - "value": "0.4" - }, - "speed_travel_layer_0": { - "value": "120" - }, - "speed_wall_0": { - "value": "20" - }, - "acceleration_wall_x": { - "value": "400" - }, - "layer_0_z_overlap": { - "value": "0.1" - }, - "switch_extruder_retraction_speed": { - "value": "30" - }, - "raft_base_acceleration": { - "value": "400" - }, - "raft_base_speed": { - "value": "60" - }, - "wall_0_material_flow": { - "value": "99" - }, - "support_infill_rate": { - "value": "20" - }, - "raft_surface_layers": { - "default_value": 1 - }, - "machine_height": { - "default_value": 210 - }, - "retraction_prime_speed": { - "value": "60" - }, - "support_interface_material_flow": { - "value": "99" - }, - "raft_surface_fan_speed": { - "value": "80" - }, - "raft_base_line_width": { - "value": "0.4" - }, - "infill_line_distance": { - "value": "5.33" - }, - "default_material_print_temperature": { - "default_value": 200 - }, - "speed_roofing": { - "value": "20" - }, - "skin_material_flow": { - "value": "99" - }, - "cool_fan_full_layer": { - "value": "1" - }, - "material_break_preparation_temperature": { - "value": "195" - }, - "support_roof_density": { - "value": "70" - }, - "support_infill_sparse_thickness": { - "value": "0.2" - }, - "retraction_retract_speed": { - "value": "30" - }, - "speed_slowdown_layers": { - "default_value": 1 - }, - "support_line_distance": { - "value": "2" - }, - "cool_lift_head": { - "default_value": true - }, - "min_skin_width_for_expansion": { - "value": "0.67" - }, - "cool_min_speed": { - "default_value": 5 - }, - "switch_extruder_retraction_speeds": { - "default_value": 30 - }, - "raft_base_line_spacing": { - "value": "0.8" - }, - "speed_support": { - "value": "50" - }, - "skirt_brim_material_flow": { - "value": "99" - }, - "speed_infill": { - "value": "80" - }, - "support_initial_layer_line_distance": { - "value": "2" - }, - "support_use_towers": { - "default_value": false - }, - "skin_no_small_gaps_heuristic": { - "default_value": true - }, - "acceleration_roofing": { - "value": "400" - }, - "material_initial_print_temperature": { - "value": "195" - }, - "material_diameter": { - "default_value": 1.75 - }, - "xy_offset": { - "default_value": -0.16 - }, - "support_extruder_nr": { - "value": "0" - }, - "support_brim_line_count": { - "value": "16" - }, - "support_interface_extruder_nr": { - "value": "0" - }, - "support_roof_extruder_nr": { - "value": "0" - }, - "material_adhesion_tendency": { - "default_value": 0 - }, - "material_standby_temperature": { - "default_value": 195 - }, - "cool_fan_speed_0": { - "default_value": 100 - }, - "brim_line_count": { - "value": "17" - }, - "adhesion_type": { - "default_value": "raft" - }, - "switch_extruder_retraction_amount": { - "value": "16" - }, - "retraction_amount": { - "default_value": 3 - }, - "acceleration_travel": { - "value": "400" - }, - "jerk_print_layer_0": { - "value": "10" - }, - "raft_surface_thickness": { - "value": "0.2" - }, - "raft_base_jerk": { - "value": "10" - }, - "bottom_thickness": { - "value": "0.8" - }, - "roofing_material_flow": { - "value": "99" - }, - "top_skin_expand_distance": { - "value": "0.8" - }, - "speed_wall_x": { - "value": "20" - }, - "support_enable": { - "default_value": true - }, - "acceleration_print_layer_0": { - "value": "400" - }, - "jerk_prime_tower": { - "value": "5" - }, - "infill_before_walls": { - "default_value": false - }, - "raft_interface_line_spacing": { - "value": "0.4" - }, - "gantry_height": { - "value": "210" - }, - "material_print_temperature_layer_0": { - "value": "195" - }, - "raft_interface_line_width": { - "value": "0.4" - }, - "skirt_brim_line_width": { - "value": "0.5" - }, - "z_seam_y": { - "value": "180" - }, - "roofing_layer_count": { - "value": "1" - }, - "raft_margin": { - "default_value": 4 - }, - "cool_fan_full_at_height": { - "value": "0" - }, - "acceleration_support_interface": { - "value": "250" - }, - "retraction_min_travel": { - "value": "1" - }, - "acceleration_layer_0": { - "value": "400" - }, - "support_z_distance": { - "default_value": 0.2 - }, - "machine_heated_bed": { - "default_value": true - }, - "raft_jerk": { - "value": "10" - }, - "raft_surface_speed": { - "value": "60" - }, - "initial_layer_line_width_factor": { - "default_value": 120 - }, - "machine_start_gcode": { - "default_value": "G90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM420 S1 Z0.6 ;enable bed levelling\nG1 Z10 F250 ;move the platform down 10mm\nM107 ;fan off\nM42 P11 S255 ;turn on front fan\nM140 S{material_bed_temperature}\nM104 T0 S{material_print_temperature, 0}\nM104 T1 S{material_print_temperature, 1}\nG1 F2500 Y260 X0\nM190 S{material_bed_temperature}\nM109 T0 S{material_print_temperature, 0}\nM109 T1 S{material_print_temperature, 1}\nM60 ;enable E-FADE Algorithm\nM62 A ;filament sensor off\nG92 E0 ;zero the extruded length\nT1\nG92 E0;zero the extruded length\nG1 F300 Z0.3\nG1 F1200 X20\nG1 F1200 X180 E21 ;extrude 21 mm of feed stock\nG1 F1200 E15 ;retracting 6 mm\nG1 F2000 E21\nG1 F2000 E11\nG1 F300 Z1.5\nG92 E0 ;zero the extruded length again\nT0\nG92 E0 ;zero the extruded length\nG1 F1200 Y258\nG1 F300 Z0.3\nG1 F1200 X40 E21 ;extrude 21 mm of feed stock\nG1 F1200 E15 ;retracting 6 mm\nG1 F2000 E21\nG1 F2000 E11\nG1 Z1.5\nM61 A ;filament sensor reset\nM63 A ;filament sensor on\nG92 E0 ;zero the extruded length again\nM58 ;end of Start G-Code and signal retract management\nT{initial_extruder_nr}" - }, - "bottom_skin_preshrink": { - "value": "0.8" - }, - "ironing_inset": { - "value": "0.2 + (ironing_line_spacing - skin_line_width * (1.0 + ironing_flow / 100) / 2 if ironing_pattern == 'concentric' else skin_line_width * (1.0 - ironing_flow / 100) / 2)" - }, - "jerk_travel": { - "value": "10" - }, - "machine_depth": { - "default_value": 260 - }, - "jerk_skirt_brim": { - "value": "5" - }, - "infill_wipe_dist": { - "value": "0" - }, - "raft_interface_acceleration": { - "value": "400" - }, - "z_seam_x": { - "value": "115" - }, - "material_print_temperature": { - "value": "195" - }, - "material_bed_temperature_layer_0": { - "value": "50" - }, - "wipe_retraction_retract_speed": { - "value": "30" - }, - "jerk_travel_layer_0": { - "value": "10" - }, - "infill_overlap": { - "value": "0" - }, - "acceleration_support_infill": { - "value": "400" - }, - "support_bottom_material_flow": { - "value": "99" - }, - "jerk_support_roof": { - "value": "5" - }, - "wall_x_material_flow": { - "value": "99" - }, - "speed_support_interface": { - "value": "33.33" - }, - "jerk_layer_0": { - "value": "10" - }, - "support_angle": { - "default_value": 60 - }, - "infill_sparse_thickness": { - "value": "0.2" - }, - "prime_tower_position_y": { - "value": "1" - }, - "retraction_combing": { - "default_value": "infill" - }, - "acceleration_prime_tower": { - "value": "250" - }, - "acceleration_print": { - "default_value": 400 - }, - "acceleration_infill": { - "value": "500" - }, - "bridge_wall_speed": { - "value": "10.0" - }, - "acceleration_wall_0": { - "value": "400" - }, - "support_offset": { - "default_value": 0.2 - }, - "build_volume_temperature": { - "default_value": 28 - }, - "switch_extruder_prime_speed": { - "value": "60" - }, - "speed_prime_tower": { - "value": "20" - }, - "top_skin_preshrink": { - "value": "0.8" - }, - "jerk_ironing": { - "value": "5" - }, - "skin_outline_count": { - "value": 0 - }, - "skirt_brim_speed": { - "value": "10.0" - }, - "raft_base_thickness": { - "value": "0.2" - }, - "infill_sparse_density": { - "default_value": 15 - }, - "support_bottom_extruder_nr": { - "value": "0" - }, - "support_material_flow": { - "value": "98" - }, - "min_infill_area": { - "default_value": 1 - }, - "jerk_support": { - "value": "10" - }, - "bottom_skin_expand_distance": { - "value": "0.8" - }, - "retract_at_layer_change": { - "default_value": true - }, - "jerk_support_interface": { - "value": "5" - }, - "jerk_support_bottom": { - "value": "5" - }, - "optimize_wall_printing_order": { - "default_value": true - }, - "skirt_brim_minimal_length": { - "default_value": 50 - }, - "jerk_support_infill": { - "value": "10" - }, - "initial_bottom_layers": { - "value": "3" - }, - "prime_tower_position_x": { - "value": "1" - }, - "acceleration_support_bottom": { - "value": "250" - }, - "speed_support_roof": { - "value": "33.33" - }, - "speed_support_infill": { - "value": "80" - }, - "bridge_skin_speed_2": { - "value": "15" - }, - "raft_fan_speed": { - "default_value": 100 - }, - "wipe_retraction_amount": { - "value": "3" - }, - "skin_edge_support_thickness": { - "value": "0" - }, - "bottom_layers": { - "value": "3" - }, - "retraction_extrusion_window": { - "value": "3" - }, - "acceleration_ironing": { - "value": "250" - }, - "support_top_distance": { - "value": "0.2" - }, - "travel_retract_before_outer_wall": { - "default_value": true - }, - "material_flow": { - "default_value": 99 - }, - "support_bottom_distance": { - "value": "0.2" - }, - "expand_skins_expand_distance": { - "value": "0.8" - }, - "jerk_wall": { - "value": "10" - }, - "support_zag_skip_count": { - "value": "8" - }, - "connect_infill_polygons": { - "value": "False" - }, - "acceleration_skirt_brim": { - "value": "250" - }, - "z_seam_corner": { - "default_value": "z_seam_corner_weighted" - }, - "raft_surface_jerk": { - "value": "10" - }, - "cross_infill_pocket_size": { - "value": "5.33" - }, - "support_infill_extruder_nr": { - "value": "0" - }, - "acceleration_enabled": { - "default_value": true - }, - "jerk_wall_x": { - "value": "10" - }, - "skin_overlap": { - "value": "15" - }, - "infill_material_flow": { - "value": "99" - }, - "speed_equalize_flow_max": { - "default_value": 40 - }, - "skin_preshrink": { - "value": "0.8" - }, - "speed_wall": { - "value": "20" - }, - "support_tree_collision_resolution": { - "value": "0.2" - }, - "meshfix_maximum_deviation": { - "default_value": 0.003 - }, - "jerk_roofing": { - "value": "10" - }, - "fill_outline_gaps": { - "default_value": true - }, - "layer_height": { - "default_value": 0.2 - }, - "remove_empty_first_layers": { - "default_value": false - }, - "prime_tower_flow": { - "value": "99" - }, - "support_roof_line_distance": { - "value": "0.57" - }, - "wipe_retraction_speed": { - "value": "30" - }, - "support_extruder_nr_layer_0": { - "value": "0" - }, - "layer_height_0": { - "default_value": 0.2 - }, - "multiple_mesh_overlap": { - "default_value": 0 - }, - "ooze_shield_dist": { - "default_value": 4 - }, - "jerk_enabled": { - "default_value": true - }, - "acceleration_support": { - "value": "400" - }, - "adhesion_extruder_nr": { - "value": "0" - }, - "skirt_line_count": { - "default_value": 2 - }, - "jerk_wall_0": { - "value": "10" - }, - "raft_speed": { - "value": "60" - }, - "speed_layer_0": { - "value": "10.0" - }, - "machine_width": { - "default_value": 210 - }, - "acceleration_wall": { - "value": "400" - }, - "jerk_infill": { - "value": "10" - }, - "wipe_hop_enable": { - "value": "False" - }, - "acceleration_travel_layer_0": { - "value": "400" - }, - "raft_interface_speed": { - "value": "60" - }, - "skin_edge_support_layers": { - "value": "0" - }, - "support_xy_distance_overhang": { - "value": "0.5" - }, - "brim_width": { - "default_value": 10 - }, - "coasting_enable": { - "default_value": true - }, - "jerk_print": { - "default_value": 10 - }, - "acceleration_support_roof": { - "value": "250" - }, - "prime_tower_min_volume": { - "default_value": 4 - }, - "support_roof_material_flow": { - "value": "99" - }, - "wall_0_wipe_dist": { - "value": "0" - }, - "jerk_topbottom": { - "value": "10" - }, - "retraction_count_max": { - "default_value": 30 - }, - "skin_overlap_mm": { - "value": "0.06" - }, - "extruders_enabled_count": { - "value": "2" - }, - "speed_support_bottom": { - "value": "33.33" - }, - "support_skip_some_zags": { - "default_value": true - }, - "ooze_shield_angle": { - "default_value": 50 - }, - "wall_thickness": { - "value": "1.2" - }, - "speed_print_layer_0": { - "value": "10.0" - } + "name": "Skriware 2", + "version": 2, + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Skriware", + "manufacturer": "Skriware", + "file_formats": "text/x-gcode", + "has_machine_quality": true, + "platform_offset": [ + 0, + 0, + 0 + ], + "supports_usb_connection": false, + "platform": "skriware_2_platform.3mf", + "machine_extruder_trains": { + "0": "skriware_2_extruder_0", + "1": "skriware_2_extruder_1" } -} + }, + "overrides": { + "raft_interface_thickness": { + "value": "0.2" + }, + "wipe_retraction_prime_speed": { + "value": "30" + }, + "support_skip_zag_per_mm": { + "default_value": 10 + }, + "material_bed_temperature": { + "value": "50", + "minimum_value_warning": "30", + "resolve": "extruderValues('material_bed_temperature')[adhesion_extruder_nr] if resolveOrValue('adhesion_type') == 'raft' else max(extruderValues('material_bed_temperature'))" + }, + "raft_airgap": { + "default_value": 0.2 + }, + "top_layers": { + "value": "4" + }, + "machine_extruder_count": { + "default_value": 2 + }, + "raft_surface_acceleration": { + "value": "400" + }, + "meshfix_maximum_travel_resolution": { + "value": "0.8" + }, + "machine_end_gcode": { + "default_value": "M59\nG92 E0\nG1 E-10 F300\nM104 T0 S0\nM104 T1 S0\nM140 S0\nG28 X0 Y0\nM84\nM106 S0\nM107\nM220 S100" + }, + "wall_material_flow": { + "value": "99" + }, + "raft_interface_jerk": { + "value": "10" + }, + "acceleration_topbottom": { + "value": "200" + }, + "prime_tower_size": { + "default_value": 1 + }, + "max_skin_angle_for_expansion": { + "default_value": 50 + }, + "raft_acceleration": { + "value": "400" + }, + "support_xy_distance": { + "default_value": 0.6 + }, + "xy_offset_layer_0": { + "value": "0.0" + }, + "raft_interface_fan_speed": { + "value": "40" + }, + "retraction_speed": { + "default_value": 30 + }, + "speed_print": { + "default_value": 20 + }, + "travel_avoid_supports": { + "default_value": true + }, + "infill_overlap_mm": { + "value": "0.0" + }, + "support_roof_height": { + "value": "0.4" + }, + "speed_travel_layer_0": { + "value": "80" + }, + "speed_wall_0": { + "value": "20" + }, + "acceleration_wall_x": { + "value": "200" + }, + "layer_0_z_overlap": { + "value": "0.1" + }, + "switch_extruder_retraction_speed": { + "value": "30" + }, + "travel_compensate_overlapping_walls_enabled": { + "default_value": false + }, + "raft_base_acceleration": { + "value": "400" + }, + "raft_base_speed": { + "value": "60" + }, + "wall_0_material_flow": { + "value": "99" + }, + "support_infill_rate": { + "value": "20" + }, + "raft_surface_layers": { + "default_value": 1 + }, + "machine_height": { + "default_value": 210 + }, + "retraction_prime_speed": { + "value": "60" + }, + "support_interface_material_flow": { + "value": "99" + }, + "raft_surface_fan_speed": { + "value": "80" + }, + "raft_base_line_width": { + "value": "0.4" + }, + "infill_line_distance": { + "value": "0 if infill_sparse_density == 0 else (infill_line_width * 100) / infill_sparse_density * (2 if infill_pattern == 'grid' else (3 if infill_pattern == 'triangles' or infill_pattern == 'trihexagon' or infill_pattern == 'cubic' or infill_pattern == 'cubicsubdiv' else (2 if infill_pattern == 'tetrahedral' or infill_pattern == 'quarter_cubic' else (1 if infill_pattern == 'cross' or infill_pattern == 'cross_3d' else 1))))" + }, + "default_material_print_temperature": { + "default_value": 200 + }, + "speed_roofing": { + "value": "20" + }, + "skin_material_flow": { + "value": "99" + }, + "cool_fan_full_layer": { + "value": "1" + }, + "material_break_preparation_temperature": { + "value": "195" + }, + "support_roof_density": { + "value": "70" + }, + "support_infill_sparse_thickness": { + "value": "0.2" + }, + "retraction_retract_speed": { + "value": "30" + }, + "speed_slowdown_layers": { + "default_value": 1 + }, + "support_line_distance": { + "value":"0 if support_infill_rate == 0 else (support_line_width * 100) / support_infill_rate * (2 if support_pattern == 'grid' else (3 if support_pattern == 'triangles' else 1))" + }, + "cool_lift_head": { + "default_value": true + }, + "min_skin_width_for_expansion": { + "value": "0.67" + }, + "cool_min_speed": { + "default_value": 5 + }, + "switch_extruder_retraction_speeds": { + "default_value": 30 + }, + "raft_base_line_spacing": { + "value": "0.8" + }, + "speed_support": { + "value": "50" + }, + "skirt_brim_material_flow": { + "value": "99" + }, + "speed_infill": { + "value": "80" + }, + "support_initial_layer_line_distance": { + "value": "2" + }, + "support_use_towers": { + "default_value": false + }, + "skin_no_small_gaps_heuristic": { + "default_value": true + }, + "acceleration_roofing": { + "value": "400" + }, + "material_initial_print_temperature": { + "value": "195" + }, + "material_diameter": { + "default_value": 1.75 + }, + "xy_offset": { + "default_value": 0.0 + }, + "support_extruder_nr": { + "value": "0" + }, + "support_brim_line_count": { + "value": "16" + }, + "support_interface_extruder_nr": { + "value": "0" + }, + "support_roof_extruder_nr": { + "value": "0" + }, + "material_adhesion_tendency": { + "default_value": 0 + }, + "material_standby_temperature": { + "default_value": 195 + }, + "cool_fan_speed_0": { + "default_value": 0, + "value": "cool_fan_speed if resolveOrValue('adhesion_type') == 'raft' else 0" + }, + "brim_line_count": { + "value": "17" + }, + "adhesion_type": { + "default_value": "raft" + }, + "switch_extruder_retraction_amount": { + "value": "20" + }, + "retraction_amount": { + "default_value": 3 + }, + "acceleration_travel": { + "value": "400" + }, + "jerk_print_layer_0": { + "value": "10" + }, + "raft_surface_thickness": { + "value": "0.2" + }, + "raft_base_jerk": { + "value": "10" + }, + "bottom_thickness": { + "value": "0.8" + }, + "roofing_material_flow": { + "value": "99" + }, + "top_skin_expand_distance": { + "value": "0.8" + }, + "speed_wall_x": { + "value": "20" + }, + "support_enable": { + "default_value": true + }, + "acceleration_print_layer_0": { + "value": "200" + }, + "jerk_prime_tower": { + "value": "5" + }, + "infill_before_walls": { + "default_value": false + }, + "raft_interface_line_spacing": { + "value": "0.4" + }, + "gantry_height": { + "value": "210" + }, + "material_print_temperature_layer_0": { + "value": "195" + }, + "raft_interface_line_width": { + "value": "0.4" + }, + "skirt_brim_line_width": { + "value": "0.5" + }, + "z_seam_y": { + "value": "180" + }, + "roofing_layer_count": { + "value": "1" + }, + "raft_margin": { + "default_value": 4 + }, + "cool_fan_full_at_height": { + "value": "0" + }, + "acceleration_support_interface": { + "value": "250" + }, + "retraction_min_travel": { + "value": "1" + }, + "acceleration_layer_0": { + "value": "200" + }, + "support_z_distance": { + "default_value": 0.2 + }, + "machine_heated_bed": { + "default_value": true + }, + "raft_jerk": { + "value": "10" + }, + "raft_surface_speed": { + "value": "60" + }, + "initial_layer_line_width_factor": { + "default_value": 120 + }, + "machine_start_gcode": { + "default_value": "G90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM420 S1 Z0.7 ;enable bed levelling\nG1 Z10 F250 ;move the platform down 10mm\nM107 ;fan off\nM42 P11 S255 ;turn on front fan\nM140 S{material_bed_temperature}\nM104 T0 S{material_print_temperature, 0}\nM104 T1 S{material_print_temperature, 1}\nG1 F2500 Y260 X0\nM190 S{material_bed_temperature}\nM109 T0 S{material_print_temperature, 0}\nM109 T1 S{material_print_temperature, 1}\nM60 ;enable E-FADE Algorithm\nM62 A ;filament sensor off\nG92 E0 ;zero the extruded length\nT1\nG92 E0;zero the extruded length\nG1 F300 Z0.3\nG1 F1200 X20\nG1 F1200 X180 E21 ;extrude 21 mm of feed stock\nG1 F1200 E11\nG1 F300 Z1.5\nG92 E0 ;zero the extruded length again\nT0\nG92 E0 ;zero the extruded length\nG1 F1200 Y258\nG1 F300 Z0.3\nG1 F1200 X40 E21 ;extrude 21 mm of feed stock\nG1 F1200 E11 ;retracting 10 mm\nG1 F300 Z1.5\nM63 A ;filament sensor reset\nM61 A ;filament sensor on\nG92 E0 ;zero the extruded length again\nM58 ;end of Start G-Code and signal retract management\nT{initial_extruder_nr}" + }, + "bottom_skin_preshrink": { + "value": "0.0" + }, + "ironing_inset": { + "value": "0.2 + (ironing_line_spacing - skin_line_width * (1.0 + ironing_flow / 100) / 2 if ironing_pattern == 'concentric' else skin_line_width * (1.0 - ironing_flow / 100) / 2)" + }, + "jerk_travel": { + "value": "10" + }, + "machine_depth": { + "default_value": 260 + }, + "jerk_skirt_brim": { + "value": "5" + }, + "infill_wipe_dist": { + "value": "0" + }, + "raft_interface_acceleration": { + "value": "400" + }, + "z_seam_x": { + "value": "115" + }, + "material_print_temperature": { + "value": "195" + }, + "material_bed_temperature_layer_0": { + "value": "50", + "minimum_value_warning": "30", + "resolve": "extruderValues('material_bed_temperature_layer_0')[adhesion_extruder_nr] if resolveOrValue('adhesion_type') == 'raft' else max(extruderValues('material_bed_temperature_layer_0'))" + }, + "wipe_retraction_retract_speed": { + "value": "30" + }, + "jerk_travel_layer_0": { + "value": "10" + }, + "infill_overlap": { + "value": "0" + }, + "acceleration_support_infill": { + "value": "400" + }, + "travel_compensate_overlapping_walls_0_enabled": { + "value": "False" + }, + "support_bottom_material_flow": { + "value": "99" + }, + "jerk_support_roof": { + "value": "5" + }, + "wall_x_material_flow": { + "value": "99" + }, + "speed_support_interface": { + "value": "33.33" + }, + "jerk_layer_0": { + "value": "5" + }, + "support_angle": { + "default_value": 60 + }, + "infill_sparse_thickness": { + "value": "0.2" + }, + "prime_tower_position_y": { + "value": "1" + }, + "retraction_combing": { + "default_value": "infill" + }, + "acceleration_prime_tower": { + "value": "250" + }, + "acceleration_print": { + "default_value": 200 + }, + "acceleration_infill": { + "value": "400" + }, + "bridge_wall_speed": { + "value": "10.0" + }, + "acceleration_wall_0": { + "value": "200" + }, + "support_offset": { + "default_value": 0.2 + }, + "build_volume_temperature": { + "default_value": 28 + }, + "switch_extruder_prime_speed": { + "value": "60" + }, + "speed_prime_tower": { + "value": "20" + }, + "top_skin_preshrink": { + "value": "0.0" + }, + "jerk_ironing": { + "value": "5" + }, + "skin_outline_count": { + "value": 0 + }, + "skirt_brim_speed": { + "value": "10.0" + }, + "raft_base_thickness": { + "value": "0.2" + }, + "infill_sparse_density": { + "default_value": 15 + }, + "support_bottom_extruder_nr": { + "value": "0" + }, + "support_material_flow": { + "value": "98" + }, + "min_infill_area": { + "default_value": 1 + }, + "jerk_support": { + "value": "10" + }, + "bottom_skin_expand_distance": { + "value": "0.8" + }, + "retract_at_layer_change": { + "default_value": true + }, + "jerk_support_interface": { + "value": "5" + }, + "jerk_support_bottom": { + "value": "5" + }, + "optimize_wall_printing_order": { + "default_value": true + }, + "skirt_brim_minimal_length": { + "default_value": 50 + }, + "jerk_support_infill": { + "value": "10" + }, + "initial_bottom_layers": { + "value": "3" + }, + "prime_tower_position_x": { + "value": "1" + }, + "acceleration_support_bottom": { + "value": "250" + }, + "speed_support_roof": { + "value": "33.33" + }, + "speed_support_infill": { + "value": "80" + }, + "bridge_skin_speed_2": { + "value": "15" + }, + "raft_fan_speed": { + "default_value": 40 + }, + "wipe_retraction_amount": { + "value": "3" + }, + "skin_edge_support_thickness": { + "value": "0" + }, + "bottom_layers": { + "value": "3" + }, + "retraction_extrusion_window": { + "value": "3" + }, + "acceleration_ironing": { + "value": "250" + }, + "support_top_distance": { + "value": "0.2" + }, + "travel_retract_before_outer_wall": { + "default_value": true + }, + "material_flow": { + "default_value": 99 + }, + "support_bottom_distance": { + "value": "0.2" + }, + "expand_skins_expand_distance": { + "value": "0.8" + }, + "jerk_wall": { + "value": "10" + }, + "support_zag_skip_count": { + "value": "8" + }, + "connect_infill_polygons": { + "value": "False" + }, + "acceleration_skirt_brim": { + "value": "250" + }, + "z_seam_corner": { + "default_value": "z_seam_corner_weighted" + }, + "raft_surface_jerk": { + "value": "10" + }, + "cross_infill_pocket_size": { + "value": "5.33" + }, + "support_infill_extruder_nr": { + "value": "0" + }, + "acceleration_enabled": { + "default_value": true + }, + "jerk_wall_x": { + "value": "10" + }, + "skin_overlap": { + "value": "15" + }, + "infill_material_flow": { + "value": "99" + }, + "speed_equalize_flow_max": { + "default_value": 40 + }, + "skin_preshrink": { + "value": "0.0" + }, + "speed_wall": { + "value": "20" + }, + "support_tree_collision_resolution": { + "value": "0.2" + }, + "meshfix_maximum_deviation": { + "default_value": 0.003 + }, + "jerk_roofing": { + "value": "10" + }, + "fill_outline_gaps": { + "default_value": true + }, + "layer_height": { + "default_value": 0.2 + }, + "remove_empty_first_layers": { + "default_value": false + }, + "prime_tower_flow": { + "value": "99" + }, + "support_roof_line_distance": { + "value": "0.57" + }, + "wipe_retraction_speed": { + "value": "30" + }, + "support_extruder_nr_layer_0": { + "value": "0" + }, + "layer_height_0": { + "default_value": 0.2 + }, + "multiple_mesh_overlap": { + "default_value": 0 + }, + "ooze_shield_dist": { + "default_value": 4 + }, + "jerk_enabled": { + "default_value": true + }, + "acceleration_support": { + "value": "200" + }, + "adhesion_extruder_nr": { + "value": "0" + }, + "skirt_line_count": { + "default_value": 2 + }, + "travel_compensate_overlapping_walls_x_enabled": { + "value": "False" + }, + "jerk_wall_0": { + "value": "5" + }, + "raft_speed": { + "value": "60" + }, + "speed_layer_0": { + "value": "20.0" + }, + "machine_width": { + "default_value": 210 + }, + "acceleration_wall": { + "value": "200" + }, + "jerk_infill": { + "value": "10" + }, + "wipe_hop_enable": { + "value": "False" + }, + "acceleration_travel_layer_0": { + "value": "400" + }, + "raft_interface_speed": { + "value": "60" + }, + "skin_edge_support_layers": { + "value": "0" + }, + "support_xy_distance_overhang": { + "value": "0.5" + }, + "brim_width": { + "default_value": 10 + }, + "coasting_enable": { + "default_value": true + }, + "jerk_print": { + "default_value": 10 + }, + "acceleration_support_roof": { + "value": "250" + }, + "prime_tower_min_volume": { + "default_value": 4 + }, + "support_roof_material_flow": { + "value": "99" + }, + "wall_0_wipe_dist": { + "value": "0" + }, + "jerk_topbottom": { + "value": "10" + }, + "retraction_count_max": { + "default_value": 30 + }, + "skin_overlap_mm": { + "value": "0.06" + }, + "extruders_enabled_count": { + "value": "2" + }, + "speed_support_bottom": { + "value": "33.33" + }, + "support_skip_some_zags": { + "default_value": true + }, + "ooze_shield_angle": { + "default_value": 50 + }, + "wall_thickness": { + "value": "1.2" + }, + "speed_print_layer_0": { + "value": "10.0" + } + } +} \ No newline at end of file diff --git a/resources/definitions/stereotech_start.def.json b/resources/definitions/stereotech_start.def.json index ca03937007..f6733d2ec7 100644 --- a/resources/definitions/stereotech_start.def.json +++ b/resources/definitions/stereotech_start.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "Stereotech START", + "name": "Stereotech Start", "inherits": "fdmprinter", "metadata": { "visible": true, diff --git a/resources/definitions/stream20dual_mk2.def.json b/resources/definitions/stream20dual_mk2.def.json new file mode 100644 index 0000000000..2bb491a906 --- /dev/null +++ b/resources/definitions/stream20dual_mk2.def.json @@ -0,0 +1,52 @@ +{ + "version": 2, + "name": "Volumic Stream20Dual MK2", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Volumic", + "manufacturer": "Volumic", + "file_formats": "text/x-gcode", + "icon": "volumic-icon", + "platform": "STREAM20PRO_platform.STL", + "machine_extruder_trains":{"0": "stream20dual_0","1": "stream20dual_1"}, + "has_machine_quality": true, + "has_materials": true + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM20DUAL MK2" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 165 }, + "machine_height": { "default_value": 240 }, + "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 }, + "retraction_speed": { "default_value": 25 }, + "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": 20 }, + "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_extruder_count": {"default_value": 2}, + "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/stream20pro_mk2.def.json b/resources/definitions/stream20pro_mk2.def.json new file mode 100644 index 0000000000..1da3c01d1f --- /dev/null +++ b/resources/definitions/stream20pro_mk2.def.json @@ -0,0 +1,51 @@ +{ + "version": 2, + "name": "Volumic Stream20Pro MK2", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Volumic", + "manufacturer": "Volumic", + "file_formats": "text/x-gcode", + "icon": "volumic-icon", + "platform": "STREAM20PRO_platform.STL", + "has_materials": true, + "has_machine_quality": true, + "machine_extruder_trains":{"0": "stream20_extruder"} + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM20PRO MK2" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 200 }, + "machine_height": { "default_value": 240 }, + "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 }, + "retraction_speed": { "default_value": 25 }, + "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": 50 }, + "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/stream30dual_mk2.def.json b/resources/definitions/stream30dual_mk2.def.json new file mode 100644 index 0000000000..4d16c978a9 --- /dev/null +++ b/resources/definitions/stream30dual_mk2.def.json @@ -0,0 +1,52 @@ +{ + "version": 2, + "name": "Volumic Stream30Dual MK2", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Volumic", + "manufacturer": "Volumic", + "file_formats": "text/x-gcode", + "icon": "volumic-icon", + "platform": "STREAM30PRO_platform.STL", + "machine_extruder_trains":{"0": "stream30dual_0","1": "stream30dual_1"}, + "has_machine_quality": true, + "has_materials": true + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM30DUAL MK2" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 265 }, + "machine_height": { "default_value": 300 }, + "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 }, + "retraction_speed": { "default_value": 25 }, + "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": [[0,0],[0,0],[0,0],[0,0]] }, + "machine_max_feedrate_z": { "default_value": 50 }, + "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_extruder_count": {"default_value": 2}, + "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/stream30pro_mk2.def.json b/resources/definitions/stream30pro_mk2.def.json new file mode 100644 index 0000000000..b313704dac --- /dev/null +++ b/resources/definitions/stream30pro_mk2.def.json @@ -0,0 +1,51 @@ +{ + "version": 2, + "name": "Volumic Stream30Pro MK2", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Volumic", + "manufacturer": "Volumic", + "file_formats": "text/x-gcode", + "icon": "volumic-icon", + "platform": "STREAM30PRO_platform.STL", + "has_materials": true, + "has_machine_quality": true, + "machine_extruder_trains":{"0": "stream30_extruder"} + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM30PRO MK2" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 300 }, + "machine_height": { "default_value": 300 }, + "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 }, + "retraction_speed": { "default_value": 25 }, + "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": 50 }, + "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/stream30ultra.def.json b/resources/definitions/stream30ultra.def.json new file mode 100644 index 0000000000..731e213447 --- /dev/null +++ b/resources/definitions/stream30ultra.def.json @@ -0,0 +1,51 @@ +{ + "version": 2, + "name": "Volumic Stream30Ultra", + "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": "stream30ultra_extruder"} + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM30ULTRA" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 290 }, + "machine_height": { "default_value": 300 }, + "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 }, + "retraction_speed": { "default_value": 25 }, + "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/stream30ultrasc.def.json b/resources/definitions/stream30ultrasc.def.json new file mode 100644 index 0000000000..2f645a057b --- /dev/null +++ b/resources/definitions/stream30ultrasc.def.json @@ -0,0 +1,51 @@ +{ + "version": 2, + "name": "Volumic Stream30Ultra SC", + "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": "stream30ultrasc_extruder"} + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM30ULTRA SC" }, + "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/syndaveraxi.def.json b/resources/definitions/syndaveraxi.def.json index 887bfca6ee..186b89212f 100644 --- a/resources/definitions/syndaveraxi.def.json +++ b/resources/definitions/syndaveraxi.def.json @@ -1,6 +1,6 @@ { "version": 2, - "name": "SyndaverAXI", + "name": "SyndaverAxi", "inherits": "fdmprinter", "metadata": { @@ -33,11 +33,11 @@ [ 0, 0 ] ] }, - "gantry_height": { "value": "286" }, + "gantry_height": { "value": "30" }, "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" }, "machine_start_gcode": { - "default_value": ";This G-Code has been generated specifically for Syndaver AXI with Hemera toolhead\nM73 P0 ; clear LCD progress bar\nM75 ; Start LCD Print Timer\nM107 ; disable fans\nM420 S0 ; disable leveling matrix\nM82 ; set extruder to absolute mode\nG92 E0 ; set extruder position to 0\nM140 S{material_bed_temperature_layer_0} ; start bed heating up\nM104 S170 ; start nozzle heating up\nG28 ; home all axes\nM117 AXI Heating Up...\nG1 X-17.5 Y100 Z10 F3000 ; move to wipe position\nG29 L1 ; load leveling matrix slot 1\nG29 A ; ensure mesh is enabled\nM109 R170 ; wait for nozzle to reach wiping temp\nG1 E-3 ; retract material before wipe\nM117 AXI Wiping Nozzle...\nG1 Z-3 ; lower nozzle\nG1 Y90 F1000 ; slow wipe\nG1 Y65 F1000 ; slow wipe\nG1 Y80 F1000 ; slow wipe\nG1 Y65 F1000 ; slow wipe\nG1 Y55 F1000 ; slow wipe\nG1 Y30 F3000 ; fast wipe\nG1 Y55 F3000 ; fast wipe\nG1 Y30 F3000 ; fast wipe\nG1 Y55 F3000 ; fast wipe\nG1 Z10 ; raise nozzle\nM117 Heating...\nM190 R{material_bed_temperature_layer_0} ; wait for bed to reach printing temp\nM104 S{material_print_temperature_layer_0} ; set extruder to reach initial printing temp, held back for ooze reasons\nM117 Probe Z at Temp\nG28 Z ; re-probe Z0 to account for any thermal expansion in the bed\nG1 X-17.5 Y80 Z10 F3000 ; move back to wiper\nM117 Heating...\nM109 R{material_print_temperature_layer_0} ; wait for extruder to reach initial printing temp\nM117 AXI Wiping Nozzle...\nG1 E0 ; prime material in nozzle\nG1 Z-3 ; final ooze wipe\nG1 Y60 F2000 ; final ooze wipe\nG1 Y20 F2000 ; final ooze wipe\nM117 AXI Starting Print\nG1 Z2 ; move nozzle back up to not run into things on print start\nM400 ; wait for moves to finish\nM117 AXI Printing" + "default_value": ";This G-Code has been generated specifically for Syndaver AXI with Hemera toolhead\nM73 P0 ; clear LCD progress bar\nM75 ; Start LCD Print Timer\nM107 ; disable fans\nM420 S0 ; disable leveling matrix\nM82 ; set extruder to absolute mode\nG92 E0 ; set extruder position to 0\nM140 S{material_bed_temperature_layer_0} ; start bed heating up\nM104 S170 ; start nozzle heating up\nG28 ; home all axes\nM117 AXI Heating Up...\nG1 X-17.5 Y100 F3000 ; move to wiper pad\nG1 Z10 F5000 ; move to wiper pad\nG29 L1 ; load leveling matrix slot 1\nG29 A ; ensure mesh is enabled\nM109 R170 ; wait for nozzle to reach wiping temp\nG1 E-3 ; retract material before wipe\nM117 AXI Wiping Nozzle...\nG1 Z-3 ; lower nozzle\nG1 Y90 F1000 ; slow wipe\nG1 Y65 F1000 ; slow wipe\nG1 Y80 F1000 ; slow wipe\nG1 Y65 F1000 ; slow wipe\nG1 Y55 F1000 ; slow wipe\nG1 Y30 F3000 ; fast wipe\nG1 Y55 F3000 ; fast wipe\nG1 Y30 F3000 ; fast wipe\nG1 Y55 F3000 ; fast wipe\nG1 Z10 ; raise nozzle\nM117 Heating...\nM190 R{material_bed_temperature_layer_0} ; wait for bed to reach printing temp\nM104 S{material_print_temperature_layer_0} ; set extruder to reach initial printing temp, held back for ooze reasons\nM117 Probe Z at Temp\nG28 Z ; re-probe Z0 to account for any thermal expansion in the bed\nG1 X-17.5 Y80 F3000 ; move to wiper pad\nG1 Z10 F5000 ; move to wiper pad\nM117 Heating...\nM109 R{material_print_temperature_layer_0} ; wait for extruder to reach initial printing temp\nM117 AXI Wiping Nozzle...\nG1 E0 ; prime material in nozzle\nG1 Z-3 ; final ooze wipe\nG1 Y60 F2000 ; final ooze wipe\nG1 Y20 F2000 ; final ooze wipe\nM117 AXI Starting Print\nG1 Z2 ; move nozzle back up to not run into things on print start\nM400 ; wait for moves to finish\nM117 AXI Printing" }, "machine_end_gcode": { "default_value": "M400 ; wait for moves to finish\nM140 S50 ; start bed cooling\nM104 S0 ; disable hotend\nM107 ; disable fans\nM117 Cooling please wait\nG91 ; relative positioning\nG1 Z5 F3000 ; move Z up 5mm so it wont drag on the print\nG90 ; absolute positioning\nG1 X5 Y5 F3000 ; move to cooling position\nM190 R50 ; wait for bed to cool down to removal temp\nG1 X145 Y260 F1000 ; present finished print\nM140 S0 ; cool down bed\nM77 ; End LCD Print Timer\nM18 X Y E ; turn off x y and e axis\nM117 Print Complete." diff --git a/resources/definitions/syndaveraxi2.def.json b/resources/definitions/syndaveraxi2.def.json new file mode 100644 index 0000000000..8ab0003e09 --- /dev/null +++ b/resources/definitions/syndaveraxi2.def.json @@ -0,0 +1,46 @@ +{ + "version": 2, + "name": "SyndaverAxi2", + "inherits": "fdmprinter", + "metadata": +{ + "type": "machine", + "visible": true, + "author": "Syndaver3D", + "manufacturer": "Syndaver3D", + "file_formats": "text/x-gcode", + "supports_usb_connection": true, + "preferred_quality_type": "draft", + "machine_extruder_trains": + { + "0": "syndaveraxi2_extruder_0" + } + }, + + "overrides": { + "machine_name": { "default_value": "AXI2" }, + "machine_shape": { "default_value": "rectangular"}, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 280 }, + "machine_depth": { "default_value": 280 }, + "machine_height": { "default_value": 280 }, + "machine_center_is_zero": { "default_value": false }, + "machine_head_with_fans_polygon": { + "default_value": [ + [ 0, 0 ], + [ 0, 0 ], + [ 0, 0 ], + [ 0, 0 ] + ] + }, + "gantry_height": { "value": "60" }, + "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" }, + + "machine_start_gcode": { + "default_value": ";This G-Code has been generated specifically for Syndaver AXI 2 with Hemera toolhead\nM73 P0 ; clear LCD progress bar\nM75 ; Start LCD Print Timer\nM107 ; disable fans\nM420 S0 ; disable leveling matrix\nM82 ; set extruder to absolute mode\nG92 E0 ; set extruder position to 0\nM140 S{material_bed_temperature_layer_0} ; start bed heating up\nM104 S170 ; start nozzle heating up\nG28 ; home all axes\nM117 AXI Heating Up...\nG1 X-17.5 Y100 F3000 ; move to wiper pad\nG1 Z10 F5000 ; move to wiper pad\nG29 L1 ; load leveling matrix slot 1\nG29 A ; ensure mesh is enabled\nM109 R170 ; wait for nozzle to reach wiping temp\nG1 E-3 ; retract material before wipe\nM117 AXI Wiping Nozzle...\nG1 Z-3 ; lower nozzle\nG1 Y90 F1000 ; slow wipe\nG1 Y65 F1000 ; slow wipe\nG1 Y80 F1000 ; slow wipe\nG1 Y65 F1000 ; slow wipe\nG1 Y55 F1000 ; slow wipe\nG1 Y30 F3000 ; fast wipe\nG1 Y55 F3000 ; fast wipe\nG1 Y30 F3000 ; fast wipe\nG1 Y55 F3000 ; fast wipe\nG1 Z10 ; raise nozzle\nM117 Heating...\nM190 R{material_bed_temperature_layer_0} ; wait for bed to reach printing temp\nM104 S{material_print_temperature_layer_0} ; set extruder to reach initial printing temp, held back for ooze reasons\nM117 Probe Z at Temp\nG28 Z ; re-probe Z0 to account for any thermal expansion in the bed\nG1 X-17.5 Y80 F3000 ; move to wiper pad\nG1 Z10 F5000 ; move to wiper pad\nM117 Heating...\nM109 R{material_print_temperature_layer_0} ; wait for extruder to reach initial printing temp\nM117 AXI Wiping Nozzle...\nG1 E0 ; prime material in nozzle\nG1 Z-3 ; final ooze wipe\nG1 Y60 F2000 ; final ooze wipe\nG1 Y20 F2000 ; final ooze wipe\nM117 AXI Starting Print\nG1 Z2 ; move nozzle back up to not run into things on print start\nM400 ; wait for moves to finish\nM117 AXI Printing" + }, + "machine_end_gcode": { + "default_value": "M400 ; wait for moves to finish\nM140 S50 ; start bed cooling\nM104 S0 ; disable hotend\nM107 ; disable fans\nM117 Cooling please wait\nG91 ; relative positioning\nG1 Z5 F3000 ; move Z up 5mm so it wont drag on the print\nG90 ; absolute positioning\nG1 X5 Y5 F3000 ; move to cooling position\nM190 R50 ; wait for bed to cool down to removal temp\nG1 X145 Y260 F1000 ; present finished print\nM140 S0 ; cool down bed\nM77 ; End LCD Print Timer\nM18 X Y E ; turn off x y and e axis\nM117 Print Complete." + } + } +} \ No newline at end of file diff --git a/resources/definitions/tam.def.json b/resources/definitions/tam.def.json index 2378cc0ae3..080a3125db 100644 --- a/resources/definitions/tam.def.json +++ b/resources/definitions/tam.def.json @@ -4,8 +4,8 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "typeamachines", - "manufacturer": "typeamachines", + "author": "TypeAMachines", + "manufacturer": "TypeAMachines", "file_formats": "text/x-gcode", "platform": "tam_series1.3mf", "platform_offset": [-580.0, -6.23, 253.5], diff --git a/resources/definitions/tizyx_evy.def.json b/resources/definitions/tizyx_evy.def.json index 8ed9a5aeff..7776007f41 100644 --- a/resources/definitions/tizyx_evy.def.json +++ b/resources/definitions/tizyx_evy.def.json @@ -1,11 +1,11 @@ { - "name": "TiZYX EVY", + "name": "Tizyx Evy", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "TiZYX", - "manufacturer": "TiZYX", + "author": "Tizyx", + "manufacturer": "Tizyx", "file_formats": "text/x-gcode", "has_machine_quality": true, diff --git a/resources/definitions/tizyx_evy_dual.def.json b/resources/definitions/tizyx_evy_dual.def.json index 25ff2a3af8..3b6892682a 100644 --- a/resources/definitions/tizyx_evy_dual.def.json +++ b/resources/definitions/tizyx_evy_dual.def.json @@ -1,11 +1,11 @@ { - "name": "TiZYX EVY Dual", + "name": "Tizyx Evy Dual", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "TiZYX", - "manufacturer": "TiZYX", + "author": "Tizyx", + "manufacturer": "Tizyx", "file_formats": "text/x-gcode", "has_machine_quality": true, diff --git a/resources/definitions/tizyx_k25.def.json b/resources/definitions/tizyx_k25.def.json index 5723fa514e..ccaa6fff0b 100644 --- a/resources/definitions/tizyx_k25.def.json +++ b/resources/definitions/tizyx_k25.def.json @@ -1,12 +1,12 @@ { "version": 2, - "name": "TiZYX K25", + "name": "Tizyx K25", "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "TiZYX", - "manufacturer": "TiZYX", + "author": "Tizyx", + "manufacturer": "Tizyx", "file_formats": "text/x-gcode", "platform": "tizyx_k25_platform.3mf", "platform_offset": [0, -4, 0], diff --git a/resources/definitions/two_trees_base.def.json b/resources/definitions/two_trees_base.def.json new file mode 100644 index 0000000000..faeb4950b2 --- /dev/null +++ b/resources/definitions/two_trees_base.def.json @@ -0,0 +1,126 @@ +{ + "name": "Two Trees Base Printer", + "version": 2, + "inherits": "fdmprinter", + "metadata": { + "visible": false, + "author": "3DGadgets.my", + "manufacturer": "Two Trees", + "file_formats": "text/x-gcode", + "first_start_actions": ["MachineSettingsAction"], + + "machine_extruder_trains": { + "0": "two_trees_base_extruder_0" + }, + + "has_materials": true, + "has_variants": true, + "has_machine_quality": true, + "variants_name": "Nozzle Size", + + "preferred_variant_name": "0.4mm Nozzle", + "preferred_quality_type": "standard", + "preferred_material": "generic_pla" + + }, + "overrides": { + "machine_name": { "default_value": "Two Trees Base Printer" }, + "machine_start_gcode": { "default_value": "G28 ;Home\nM420 S1 ;Enable ABL using saved Mesh and Fade Height\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move bed down\nG1 X10.1 Y20 Z0.28 F5000.0 ;Move to start position\nG1 X10.1 Y200.0 Z0.28 F1500.0 E15 ;Draw the first line\nG1 X10.4 Y200.0 Z0.28 F5000.0 ;Move to side a little\nG1 X10.4 Y20 Z0.28 F1500.0 E30 ;Draw the second line\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move Bed up" }, + "machine_end_gcode": { "default_value": "G91 ;Relative positioning\nG1 E-2 F2700 ;Retract a bit\nG1 E-2 Z0.2 F2400 ;Retract and raise Z\nG1 X5 Y5 F3000 ;Wipe out\nG1 Z10 ;Raise Z more\nG90 ;Absolute positionning\n\nG1 X0 Y{machine_depth} ;Present print\nM106 S0 ;Turn-off fan\nM104 S0 ;Turn-off hotend\nM140 S0 ;Turn-off bed\n\nM84 X Y E ;Disable all steppers but Z\n" }, + + "machine_heated_bed": { "default_value": true }, + + "material_diameter": { "default_value": 1.75 }, + + + "speed_print": { "value": 50.0 } , + "speed_infill": { "value": "speed_print" }, + "speed_wall": { "value": "speed_print / 2" }, + "speed_wall_0": { "value": "speed_wall" }, + "speed_wall_x": { "value": "speed_print / 1.5" }, + "speed_topbottom": { "value": "speed_print / 2" }, + "speed_roofing": { "value": "speed_topbottom" }, + "speed_layer_0": { "value": 20.0 }, + "speed_print_layer_0": { "value": "speed_layer_0" }, + "speed_prime_tower": { "value": "speed_topbottom" }, + "speed_support": { "value": "speed_wall_0" }, + "speed_support_interface": { "value": "speed_topbottom" }, + "speed_z_hop": { "value": 5 }, + + "skirt_brim_speed": { "value": "speed_layer_0" }, + + "line_width": { "value": "machine_nozzle_size" }, + + "optimize_wall_printing_order": { "value": "True" }, + + "z_seam_type": { "value": "'sharpest_corner'" }, + "z_seam_corner": { "value": "'z_seam_corner_inner'" }, + + "infill_sparse_density": { "value": "20" }, + "infill_pattern": { "value": "'lines' if infill_sparse_density > 50 else 'cubic'" }, + "infill_before_walls": { "value": false }, + "infill_overlap": { "value": 30.0 }, + "skin_overlap": { "value": 10.0 }, + "infill_wipe_dist": { "value": 0.0 }, + "wall_0_wipe_dist": { "value": 0.0 }, + + "fill_perimeter_gaps": { "value": "'everywhere'" }, + "fill_outline_gaps": { "value": false }, + "filter_out_tiny_gaps": { "value": false }, + + + "retraction_hop_enabled": { "value": "False" }, + "retraction_hop": { "value": 0.2 }, + "retraction_combing": { "value": "'off' if retraction_hop_enabled else 'noskin'" }, + "retraction_combing_max_distance": { "value": 30 }, + "travel_avoid_other_parts": { "value": true }, + "travel_avoid_supports": { "value": true }, + "travel_retract_before_outer_wall": { "value": true }, + + "retraction_enable": { "value": true }, + "retraction_speed": { "default_value" : 40 }, + "retraction_amount": { "default_value" : 7 }, + "retraction_count_max": { "value": 100 }, + "retraction_extrusion_window": { "value": 10 }, + "retraction_min_travel": { "value": 1.5 }, + + + "cool_fan_full_layer": { "value": "2" }, + "cool_fan_enabled": { "value": true }, + "cool_min_layer_time": { "value": 10 }, + + "adhesion_type": { "value": "'skirt'" }, + "brim_replaces_support": { "value": false }, + "skirt_gap": { "value": 10.0 }, + "skirt_line_count": { "value": 3 }, + + "adaptive_layer_height_variation": { "value": 0.04 }, + "adaptive_layer_height_variation_step": { "value": 0.04 }, + + "meshfix_maximum_resolution": { "value": "0.25" }, + "meshfix_maximum_travel_resolution": { "value": "meshfix_maximum_resolution" }, + + "support_angle": { "value": 50 }, + "support_pattern": { "value": "'zigzag'" }, + "support_infill_rate": { "value": "0 if support_enable and support_structure == 'tree' else 25" }, + "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_xy_overrides_z": { "value": "'xy_overrides_z'" }, + "support_wall_count": { "value": 0 }, + "support_brim_enable": { "value": true }, + "support_brim_width": { "value": 5 }, + + "support_interface_enable": { "value": false }, + "support_interface_height": { "value": "layer_height * 4" }, + "support_interface_density": { "value": 33.333 }, + "support_interface_pattern": { "value": "'grid'" }, + "support_interface_skip_height": { "value": 0.2 }, + "minimum_support_area": { "value": 2 }, + "minimum_interface_area": { "value": 10 }, + "top_bottom_thickness": {"value": "layer_height_0 + layer_height * 3" }, + "wall_thickness": {"value": "line_width * 2" } + + } +} diff --git a/resources/definitions/two_trees_bluer.def.json b/resources/definitions/two_trees_bluer.def.json new file mode 100644 index 0000000000..67e903f74d --- /dev/null +++ b/resources/definitions/two_trees_bluer.def.json @@ -0,0 +1,37 @@ +{ + "name": "Two Trees Bluer", + "version": 2, + "inherits": "two_trees_base", + "overrides": { + "machine_start_gcode": { "default_value": "G28 ;Home\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move bed down\nG1 X10.1 Y20 Z0.28 F5000.0 ;Move to start position\nG1 X10.1 Y200.0 Z0.28 F1500.0 E15 ;Draw the first line\nG1 X10.4 Y200.0 Z0.28 F5000.0 ;Move to side a little\nG1 X10.4 Y20 Z0.28 F1500.0 E30 ;Draw the second line\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move Bed up" }, + "machine_name": { "default_value": "Two Trees Bluer" }, + "machine_width": { "default_value": 230 }, + "machine_depth": { "default_value": 230 }, + "machine_height": { "default_value": 280 }, + "machine_head_with_fans_polygon": { "default_value": [ + [-47, 37], + [-47, -23], + [47, -23], + [47, 37] + ] + }, + + "gantry_height": { "value": 28 }, + "speed_print": { "value": 50.0 }, + "speed_travel": { "value": 180 }, + "speed_travel_layer_0": { "value": 100 }, + "retraction_speed": { "default_value" : 50 }, + "retraction_amount": { "default_value" : 8 }, + + "material_flow": { "value": 90 }, + "infill_material_flow": { "value": 100 }, + + "infill_overlap": { "value": 30 }, + "skin_overlap": { "value": 20 } + }, + "metadata": { + "quality_definition": "two_trees_base", + "visible": true, + "platform": "twotrees235x235_generic.stl" + } +} diff --git a/resources/definitions/two_trees_bluerplus.def.json b/resources/definitions/two_trees_bluerplus.def.json new file mode 100644 index 0000000000..1e1dcd20c3 --- /dev/null +++ b/resources/definitions/two_trees_bluerplus.def.json @@ -0,0 +1,36 @@ +{ + "name": "Two Trees Bluer Plus", + "version": 2, + "inherits": "two_trees_base", + "overrides": { + "machine_name": { "default_value": "Two Trees Bluer Plus" }, + "machine_width": { "default_value": 300 }, + "machine_depth": { "default_value": 300 }, + "machine_height": { "default_value": 400 }, + "machine_head_with_fans_polygon": { "default_value": [ + [-47, 37], + [-47, -23], + [47, -23], + [47, 37] + ] + }, + + "gantry_height": { "value": 28 }, + "speed_print": { "value": 50.0 }, + "speed_travel": { "value": 180 }, + "speed_travel_layer_0": { "value": 100 }, + "retraction_speed": { "default_value" : 50 }, + "retraction_amount": { "default_value" : 8 }, + + "material_flow": { "value": 90 }, + "infill_material_flow": { "value": 100 }, + + "infill_overlap": { "value": 30 }, + "skin_overlap": { "value": 20 } + }, + "metadata": { + "quality_definition": "two_trees_base", + "visible": true, + "platform": "twotrees300x300_generic.stl" + } +} diff --git a/resources/definitions/two_trees_sapphireplus.def.json b/resources/definitions/two_trees_sapphireplus.def.json new file mode 100644 index 0000000000..8dae455a28 --- /dev/null +++ b/resources/definitions/two_trees_sapphireplus.def.json @@ -0,0 +1,38 @@ +{ + "name": "Two Trees Sapphire Plus", + "version": 2, + "inherits": "two_trees_base", + "overrides": { + "machine_name": { "default_value": "Two Trees Sapphire Plus" }, + "machine_width": { "default_value": 300 }, + "machine_depth": { "default_value": 300 }, + "machine_height": { "default_value": 350 }, + "machine_head_with_fans_polygon": { "default_value": [ + [-30,19], + [30,19], + [30,-49], + [-30,-49] + ] + }, + + "gantry_height": { "value": 65 }, + + "speed_print": { "value": 60.0 }, + "speed_travel": { "value": 180 }, + "speed_travel_layer_0": { "value": 100 }, + "retraction_speed": { "default_value" : 40 }, + "retraction_amount": { "default_value" : 7 }, + + "material_flow": { "value": 90 }, + "infill_material_flow": { "value": 100 }, + + "infill_overlap": { "value": 30 }, + "skin_overlap": { "value": 20 } + }, + "metadata": { + "quality_definition": "two_trees_base", + "visible": true, + "platform": "sapphireplus_platform.stl" + + } +} diff --git a/resources/definitions/two_trees_sapphirepro.def.json b/resources/definitions/two_trees_sapphirepro.def.json new file mode 100644 index 0000000000..0a66a5e232 --- /dev/null +++ b/resources/definitions/two_trees_sapphirepro.def.json @@ -0,0 +1,39 @@ +{ + "name": "Two Trees Sapphire Pro", + "version": 2, + "inherits": "two_trees_base", + "overrides": { + "machine_start_gcode": { "default_value": "G28 ;Home\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move bed down\nG1 X10.1 Y20 Z0.28 F5000.0 ;Move to start position\nG1 X10.1 Y200.0 Z0.28 F1500.0 E15 ;Draw the first line\nG1 X10.4 Y200.0 Z0.28 F5000.0 ;Move to side a little\nG1 X10.4 Y20 Z0.28 F1500.0 E30 ;Draw the second line\nG92 E0 ;Reset Extruder\nG1 Z2.0 F3000 ;Move Bed up" }, + "machine_name": { "default_value": "Two Trees Sapphire Pro" }, + "machine_width": { "default_value": 220 }, + "machine_depth": { "default_value": 220 }, + "machine_height": { "default_value": 220 }, + "machine_head_with_fans_polygon": { "default_value": [ + [-30,19], + [30,19], + [30,-49], + [-30,-49] + ] + }, + + "gantry_height": { "value": 65 }, + + "speed_print": { "value": 60.0 }, + "speed_travel": { "value": 180 }, + "speed_travel_layer_0": { "value": 100 }, + "retraction_speed": { "default_value" : 40 }, + "retraction_amount": { "default_value" : 7 }, + + "material_flow": { "value": 90 }, + "infill_material_flow": { "value": 100 }, + + "infill_overlap": { "value": 30 }, + "skin_overlap": { "value": 20 } + }, + "metadata": { + "quality_definition": "two_trees_base", + "visible": true, + "platform": "sapphirepro_platform.stl" + + } +} diff --git a/resources/definitions/twotrees_bluer.def.json b/resources/definitions/twotrees_bluer.def.json deleted file mode 100644 index 8cf7d804cf..0000000000 --- a/resources/definitions/twotrees_bluer.def.json +++ /dev/null @@ -1,36 +0,0 @@ -{ - "version": 2, - "name": "TwoTrees Bluer", - "inherits": "fdmprinter", - "metadata": - { - "visible": true, - "author": "Washington C. Correa Jr.", - "manufacturer": "TwoTrees", - "file_formats": "text/x-gcode", - "platform": "twotrees_platform.stl", - "machine_extruder_trains": - { - "0": "twotrees_bluer_extruder_0", - "1": "twotrees_bluer_extruder_1" - } - }, - "overrides": - { - "machine_name": { "default_value": "Two Trees Bluer" }, - "machine_heated_bed": { "default_value": true }, - "machine_width": { "default_value": 235 }, - "machine_depth": { "default_value": 235 }, - "machine_height": { "default_value": 280 }, - "machine_head_with_fans_polygon": { "default_value": [ - [-26, 34], - [-26, -32], - [32, -32], - [32, 34] - ] - }, - "machine_start_gcode": { "default_value": "; Two Trees Bluer Custom Start G-code\nG28 ;Home\nG92 E0 ;Reset Extruder\nG1 Z4.0 F3000 ;Move Z Axis up\nG1 E10 F1500 ;Purge a bit\nG1 X10.1 Y20 Z0.2 F5000.0 ;Move to start position\nG1 X10.1 Y200.0 Z0.2 F1500.0 E15 ;Draw the first line\nG1 X10.4 Y200.0 Z0.2 F5000.0 ;Move to side a little\nG1 X10.4 Y20 Z0.2 F1500.0 E20 ;Draw the second line\nG92 E0 ;Reset Extruder\nG1 Z3.0 X20 Y20 F3000 ;Move Z Axis up\nG1 E3 F2700 ;Purge a bit" }, - "machine_end_gcode": { "default_value": "; Two Trees Bluer Custom End G-code\nG91 ;Relative positioning\nG1 E-2 F2700 ;Retract a bit\nG1 E-2 Z0.2 F2400 ;Retract and raise Z\nG1 X5 Y5 F3000 ;Wipe out\nG1 Z10 ;Raise Z more\nG90 ;Absolute positioning\nG1 X0 Y{machine_depth} ;Present print\nM106 S0 ;Turn-off fan\nM104 S0 ;Turn-off hotend\nM140 S0 ;Turn-off bed\nM84 X Y E ;Disable all steppers but Z" }, - "gantry_height": { "value": 25 } - } -} diff --git a/resources/definitions/ultimaker.def.json b/resources/definitions/ultimaker.def.json index ff9a75c40c..47a60fe51c 100644 --- a/resources/definitions/ultimaker.def.json +++ b/resources/definitions/ultimaker.def.json @@ -6,7 +6,7 @@ "author": "Ultimaker", "manufacturer": "Ultimaker B.V.", "visible": false, - "exclude_materials": [ "generic_hips", "generic_petg", "structur3d_dap100silicone" ] + "exclude_materials": [ "generic_hips", "structur3d_dap100silicone" ] }, "overrides": { "machine_max_feedrate_e": { diff --git a/resources/definitions/ultimaker2.def.json b/resources/definitions/ultimaker2.def.json index 3980baba31..c028363239 100644 --- a/resources/definitions/ultimaker2.def.json +++ b/resources/definitions/ultimaker2.def.json @@ -18,7 +18,8 @@ { "0": "ultimaker2_extruder_0" }, - "firmware_file": "MarlinUltimaker2.hex" + "firmware_file": "MarlinUltimaker2.hex", + "exclude_materials": [ "generic_hips", "generic_petg", "structur3d_dap100silicone", "ultimaker_petg_red", "ultimaker_petg_blue", "ultimaker_petg_grey", "ultimaker_petg_black", "ultimaker_petg_green", "ultimaker_petg_white", "ultimaker_petg_orange", "ultimaker_petg_silver", "ultimaker_petg_yellow", "ultimaker_petg_transparent", "ultimaker_petg_red_translucent", "ultimaker_petg_blue_translucent", "ultimaker_petg_green_translucent", "ultimaker_petg_yellow_fluorescent"] }, "overrides": { "machine_name": { "default_value": "Ultimaker 2" }, diff --git a/resources/definitions/ultimaker2_plus.def.json b/resources/definitions/ultimaker2_plus.def.json index 7b9c0781f7..8250e70104 100644 --- a/resources/definitions/ultimaker2_plus.def.json +++ b/resources/definitions/ultimaker2_plus.def.json @@ -13,7 +13,7 @@ "has_variants": true, "has_materials": true, "has_machine_quality": true, - "exclude_materials": ["generic_hips", "generic_petg", "generic_bam", "ultimaker_bam", "generic_pva", "ultimaker_pva", "generic_tough_pla", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone" ], + "exclude_materials": ["generic_hips", "generic_petg", "generic_bam", "ultimaker_bam", "generic_pva", "ultimaker_pva", "generic_tough_pla", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone", "ultimaker_petg_red", "ultimaker_petg_blue", "ultimaker_petg_grey", "ultimaker_petg_black", "ultimaker_petg_green", "ultimaker_petg_white", "ultimaker_petg_orange", "ultimaker_petg_silver", "ultimaker_petg_yellow", "ultimaker_petg_transparent", "ultimaker_petg_red_translucent", "ultimaker_petg_blue_translucent", "ultimaker_petg_green_translucent", "ultimaker_petg_yellow_fluorescent"], "first_start_actions": [], "supported_actions": [], "machine_extruder_trains": diff --git a/resources/definitions/ultimaker2_plus_connect.def.json b/resources/definitions/ultimaker2_plus_connect.def.json index c0ddcf813f..46c615a262 100644 --- a/resources/definitions/ultimaker2_plus_connect.def.json +++ b/resources/definitions/ultimaker2_plus_connect.def.json @@ -22,7 +22,8 @@ "0": "ultimaker2_plus_connect_extruder_0" }, "supports_usb_connection": false, - "supports_network_connection": true + "supports_network_connection": true, + "supports_material_export": true }, "overrides": { diff --git a/resources/definitions/ultimaker3.def.json b/resources/definitions/ultimaker3.def.json index d831221852..2e49dda806 100644 --- a/resources/definitions/ultimaker3.def.json +++ b/resources/definitions/ultimaker3.def.json @@ -13,7 +13,7 @@ "has_machine_quality": true, "has_materials": true, "has_variants": true, - "exclude_materials": [ "generic_hips", "generic_petg", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone" ], + "exclude_materials": [ "generic_hips", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone" ], "preferred_variant_name": "AA 0.4", "preferred_quality_type": "normal", "variants_name": "Print core", diff --git a/resources/definitions/ultimaker_original.def.json b/resources/definitions/ultimaker_original.def.json index 34d22934d6..d209c28a07 100644 --- a/resources/definitions/ultimaker_original.def.json +++ b/resources/definitions/ultimaker_original.def.json @@ -11,7 +11,7 @@ "platform": "ultimaker_platform.3mf", "has_materials": true, "has_machine_quality": true, - "exclude_materials": ["generic_hips", "generic_petg", "generic_bam", "ultimaker_bam", "generic_pva", "ultimaker_pva", "generic_tough_pla", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone" ], + "exclude_materials": ["generic_hips", "generic_petg", "generic_bam", "ultimaker_bam", "generic_pva", "ultimaker_pva", "generic_tough_pla", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone", "ultimaker_petg_blue", "ultimaker_petg_grey", "ultimaker_petg_black", "ultimaker_petg_green", "ultimaker_petg_white", "ultimaker_petg_orange", "ultimaker_petg_silver", "ultimaker_petg_yellow", "ultimaker_petg_transparent", "ultimaker_petg_red_translucent", "ultimaker_petg_blue_translucent", "ultimaker_petg_green_translucent", "ultimaker_petg_yellow_fluorescent", "ultimaker_petg_red" ], "first_start_actions": ["UMOUpgradeSelection", "BedLevel"], "supported_actions": ["UMOUpgradeSelection", "BedLevel"], "machine_extruder_trains": diff --git a/resources/definitions/ultimaker_original_dual.def.json b/resources/definitions/ultimaker_original_dual.def.json index 887a84c4fa..bda8a0ce12 100644 --- a/resources/definitions/ultimaker_original_dual.def.json +++ b/resources/definitions/ultimaker_original_dual.def.json @@ -12,7 +12,7 @@ "has_materials": true, "has_machine_quality": true, "quality_definition": "ultimaker_original", - "exclude_materials": ["generic_hips", "generic_petg", "generic_bam", "ultimaker_bam", "generic_pva", "ultimaker_pva", "generic_tough_pla", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone" ], + "exclude_materials": ["generic_hips", "generic_petg", "generic_bam", "ultimaker_bam", "generic_pva", "ultimaker_pva", "generic_tough_pla", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "generic_cffcpe", "generic_cffpa", "generic_gffcpe", "generic_gffpa", "structur3d_dap100silicone", "ultimaker_petg_blue", "ultimaker_petg_grey", "ultimaker_petg_black", "ultimaker_petg_green", "ultimaker_petg_white", "ultimaker_petg_orange", "ultimaker_petg_silver", "ultimaker_petg_yellow", "ultimaker_petg_transparent", "ultimaker_petg_red_translucent", "ultimaker_petg_blue_translucent", "ultimaker_petg_green_translucent", "ultimaker_petg_yellow_fluorescent", "ultimaker_petg_red" ], "machine_extruder_trains": { "0": "ultimaker_original_dual_1st", diff --git a/resources/definitions/ultimaker_s3.def.json b/resources/definitions/ultimaker_s3.def.json index 962bff3fa0..43f32a96dc 100644 --- a/resources/definitions/ultimaker_s3.def.json +++ b/resources/definitions/ultimaker_s3.def.json @@ -27,6 +27,7 @@ "first_start_actions": [ "DiscoverUM3Action" ], "supported_actions": [ "DiscoverUM3Action" ], "supports_usb_connection": false, + "supports_material_export": true, "weight": -1, "firmware_update_info": { "id": 213482, diff --git a/resources/definitions/ultimaker_s5.def.json b/resources/definitions/ultimaker_s5.def.json index 8a9880c31a..71de826953 100644 --- a/resources/definitions/ultimaker_s5.def.json +++ b/resources/definitions/ultimaker_s5.def.json @@ -28,6 +28,7 @@ "supported_actions": [ "DiscoverUM3Action" ], "supports_usb_connection": false, "supports_network_connection": true, + "supports_material_export": true, "weight": -2, "firmware_update_info": { "id": 9051, diff --git a/resources/definitions/uni_200.def.json b/resources/definitions/uni_200.def.json index 9fdb008213..f425a3d89f 100644 --- a/resources/definitions/uni_200.def.json +++ b/resources/definitions/uni_200.def.json @@ -1,5 +1,5 @@ { - "name": "UNI 200", + "name": "Uni 200", "version": 2, "inherits": "uni_base", "metadata": { diff --git a/resources/definitions/uni_250.def.json b/resources/definitions/uni_250.def.json index 65ceddf8c7..c6a5642439 100644 --- a/resources/definitions/uni_250.def.json +++ b/resources/definitions/uni_250.def.json @@ -1,5 +1,5 @@ { - "name": "UNI 250", + "name": "Uni 250", "version": 2, "inherits": "uni_base", "metadata": { diff --git a/resources/definitions/uni_300.def.json b/resources/definitions/uni_300.def.json index 11d1ed0591..52cfc769cf 100644 --- a/resources/definitions/uni_300.def.json +++ b/resources/definitions/uni_300.def.json @@ -1,5 +1,5 @@ { - "name": "UNI 300", + "name": "Uni 300", "version": 2, "inherits": "uni_base", "metadata": { diff --git a/resources/definitions/uni_base.def.json b/resources/definitions/uni_base.def.json index 6cdbc198a5..06ba86de2d 100644 --- a/resources/definitions/uni_base.def.json +++ b/resources/definitions/uni_base.def.json @@ -1,11 +1,11 @@ { - "name": "UNI Base Printer", + "name": "Uni Base Printer", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": false, "author": "Nail` Gimadeev (C)", - "manufacturer": "UNI 3D", + "manufacturer": "Uni 3D", "file_formats": "text/x-gcode", "first_start_actions": ["MachineSettingsAction"], "machine_extruder_trains": { diff --git a/resources/definitions/uni_mini.def.json b/resources/definitions/uni_mini.def.json index c2b67039ea..4da67907f9 100644 --- a/resources/definitions/uni_mini.def.json +++ b/resources/definitions/uni_mini.def.json @@ -1,5 +1,5 @@ { - "name": "UNI MINI", + "name": "Uni Mini", "version": 2, "inherits": "uni_base", "metadata": { diff --git a/resources/definitions/uni_print_3d.def.json b/resources/definitions/uni_print_3d.def.json index 0ad937e594..7d71d73540 100644 --- a/resources/definitions/uni_print_3d.def.json +++ b/resources/definitions/uni_print_3d.def.json @@ -1,5 +1,5 @@ { - "name": "UNI-PRINT-3D", + "name": "Uni-Print-3D", "version": 2, "inherits": "fdmprinter", "metadata": diff --git a/resources/definitions/voron2_250.def.json b/resources/definitions/voron2_250.def.json index 269bbfe459..a479576458 100644 --- a/resources/definitions/voron2_250.def.json +++ b/resources/definitions/voron2_250.def.json @@ -1,5 +1,5 @@ { - "name": "VORON2 250", + "name": "Voron2 250", "version": 2, "inherits": "voron2_base", "metadata": diff --git a/resources/definitions/voron2_300.def.json b/resources/definitions/voron2_300.def.json index 20698d54ff..943b841c4d 100644 --- a/resources/definitions/voron2_300.def.json +++ b/resources/definitions/voron2_300.def.json @@ -1,5 +1,5 @@ { - "name": "VORON2 300", + "name": "Voron2 300", "version": 2, "inherits": "voron2_base", "metadata": diff --git a/resources/definitions/voron2_350.def.json b/resources/definitions/voron2_350.def.json index 6af41118c4..36e5e9339c 100644 --- a/resources/definitions/voron2_350.def.json +++ b/resources/definitions/voron2_350.def.json @@ -1,5 +1,5 @@ { - "name": "VORON2 350", + "name": "Voron2 350", "version": 2, "inherits": "voron2_base", "metadata": diff --git a/resources/definitions/voron2_base.def.json b/resources/definitions/voron2_base.def.json index e7e81685b7..cc48833136 100644 --- a/resources/definitions/voron2_base.def.json +++ b/resources/definitions/voron2_base.def.json @@ -1,12 +1,12 @@ { - "name": "VORON2 Base", + "name": "Voron2 Base", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": false, "author": "Fulg, Maglin, pizzle_Dizzle", - "manufacturer": "VORONDesign", + "manufacturer": "VoronDesign", "file_formats": "text/x-gcode", "first_start_actions": ["MachineSettingsAction"], "preferred_quality_type": "fast", diff --git a/resources/definitions/voron2_custom.def.json b/resources/definitions/voron2_custom.def.json index 2fc5c2305d..45612e0cba 100644 --- a/resources/definitions/voron2_custom.def.json +++ b/resources/definitions/voron2_custom.def.json @@ -1,5 +1,5 @@ { - "name": "VORON2 Custom", + "name": "Voron2 Custom", "version": 2, "inherits": "voron2_base", "metadata": diff --git a/resources/definitions/zav_base.def.json b/resources/definitions/zav_base.def.json index 9167d5574f..1ef9398987 100644 --- a/resources/definitions/zav_base.def.json +++ b/resources/definitions/zav_base.def.json @@ -1,11 +1,11 @@ { - "name": "ZAV Base Printer", + "name": "Zav Base Printer", "version": 2, "inherits": "fdmprinter", "metadata": { "visible": false, "author": "Kirill Nikolaev, Kim Evgeniy (C)", - "manufacturer": "ZAV Co., Ltd.", + "manufacturer": "Zav Co., Ltd.", "file_formats": "text/x-gcode", "first_start_actions": ["MachineSettingsAction"], "machine_extruder_trains": { diff --git a/resources/definitions/zav_big.def.json b/resources/definitions/zav_big.def.json index dc68e1ad11..56d6f77111 100644 --- a/resources/definitions/zav_big.def.json +++ b/resources/definitions/zav_big.def.json @@ -1,5 +1,5 @@ { - "name": "ZAV BIG", + "name": "Zav Big", "version": 2, "inherits": "zav_base", "metadata": { diff --git a/resources/definitions/zav_bigplus.def.json b/resources/definitions/zav_bigplus.def.json index bbdf9ee264..a8b24ae323 100644 --- a/resources/definitions/zav_bigplus.def.json +++ b/resources/definitions/zav_bigplus.def.json @@ -1,5 +1,5 @@ { - "name": "ZAV Big+", + "name": "Zav Big+", "version": 2, "inherits": "zav_base", "metadata": { diff --git a/resources/definitions/zav_l.def.json b/resources/definitions/zav_l.def.json index 7da88aef85..604cb49ddb 100644 --- a/resources/definitions/zav_l.def.json +++ b/resources/definitions/zav_l.def.json @@ -1,5 +1,5 @@ { - "name": "ZAV L family printer", + "name": "Zav L Family Printer", "version": 2, "inherits": "zav_base", "metadata": { diff --git a/resources/definitions/zav_max.def.json b/resources/definitions/zav_max.def.json index f67266b0a5..3e5e987cc7 100644 --- a/resources/definitions/zav_max.def.json +++ b/resources/definitions/zav_max.def.json @@ -1,5 +1,5 @@ { - "name": "ZAV MAX", + "name": "Zav Max", "version": 2, "inherits": "zav_base", "metadata": { diff --git a/resources/definitions/zav_maxpro.def.json b/resources/definitions/zav_maxpro.def.json index 81cd43835f..97f8806f45 100644 --- a/resources/definitions/zav_maxpro.def.json +++ b/resources/definitions/zav_maxpro.def.json @@ -1,5 +1,5 @@ { - "name": "ZAV PRO", + "name": "Zav Pro", "version": 2, "inherits": "zav_base", "metadata": { diff --git a/resources/definitions/zav_mini.def.json b/resources/definitions/zav_mini.def.json index 2ceccddfda..8491ddd01c 100644 --- a/resources/definitions/zav_mini.def.json +++ b/resources/definitions/zav_mini.def.json @@ -1,5 +1,5 @@ { - "name": "ZAV mini", + "name": "Zav Mini", "version": 2, "inherits": "zav_base", "metadata": { diff --git a/resources/definitions/zyyx_agile.def.json b/resources/definitions/zyyx_agile.def.json index 2e4e086208..7294a1b10e 100644 --- a/resources/definitions/zyyx_agile.def.json +++ b/resources/definitions/zyyx_agile.def.json @@ -1,5 +1,5 @@ { - "name": "ZYYX Agile", + "name": "Zyyx Agile", "version": 2, "inherits": "fdmprinter", "metadata": { diff --git a/resources/extruders/twotrees_bluer_extruder_0.def.json b/resources/extruders/SV03_extruder_0.def.json similarity index 52% rename from resources/extruders/twotrees_bluer_extruder_0.def.json rename to resources/extruders/SV03_extruder_0.def.json index fb85e76647..9ceb468d64 100644 --- a/resources/extruders/twotrees_bluer_extruder_0.def.json +++ b/resources/extruders/SV03_extruder_0.def.json @@ -3,16 +3,13 @@ "name": "Extruder 1", "inherits": "fdmextruder", "metadata": { - "machine": "twotrees_bluer", + "machine": "SV03", "position": "0" }, "overrides": { - "extruder_nr": { - "default_value": 0, - "maximum_value": "1" - }, - "machine_nozzle_size": { "default_value": 0.4 }, + "extruder_nr": { "default_value": 0 }, + "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 } } } diff --git a/resources/extruders/anycubic_i3_mega_s_extruder_0.def.json b/resources/extruders/anycubic_i3_mega_s_extruder_0.def.json new file mode 100644 index 0000000000..d59384f3e4 --- /dev/null +++ b/resources/extruders/anycubic_i3_mega_s_extruder_0.def.json @@ -0,0 +1,15 @@ +{ + "version": 2, + "name": "Extruder 1", + "inherits": "fdmextruder", + "metadata": { + "machine": "anycubic_i3_mega_s", + "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/deltacomb_base_extruder_0.def.json b/resources/extruders/deltacomb_base_extruder_0.def.json old mode 100755 new mode 100644 diff --git a/resources/extruders/deltacomb_base_extruder_1.def.json b/resources/extruders/deltacomb_base_extruder_1.def.json old mode 100755 new mode 100644 diff --git a/resources/extruders/deltacomb_base_extruder_2.def.json b/resources/extruders/deltacomb_base_extruder_2.def.json old mode 100755 new mode 100644 diff --git a/resources/extruders/deltacomb_base_extruder_3.def.json b/resources/extruders/deltacomb_base_extruder_3.def.json old mode 100755 new mode 100644 diff --git a/resources/extruders/deltacomb_dc20dual_extruder_0.def.json b/resources/extruders/deltacomb_dc20dual_extruder_0.def.json old mode 100755 new mode 100644 index 510f8a3562..f01a416224 --- a/resources/extruders/deltacomb_dc20dual_extruder_0.def.json +++ b/resources/extruders/deltacomb_dc20dual_extruder_0.def.json @@ -11,7 +11,7 @@ "extruder_nr": { "default_value": 0 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, - "machine_nozzle_offset_x": { "default_value": 0.0 }, + "machine_nozzle_offset_x": { "default_value": -8.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, "machine_extruder_start_code": { "default_value": ";DC20 Dual Extruder 1\n;Put your custom code here"}, "machine_extruder_end_code": { "default_value": ";DC20 Dual Extruder 1\n;Put your custom code here"} diff --git a/resources/extruders/deltacomb_dc20dual_extruder_1.def.json b/resources/extruders/deltacomb_dc20dual_extruder_1.def.json old mode 100755 new mode 100644 index 1421a7d3db..2749254242 --- a/resources/extruders/deltacomb_dc20dual_extruder_1.def.json +++ b/resources/extruders/deltacomb_dc20dual_extruder_1.def.json @@ -11,8 +11,8 @@ "extruder_nr": { "default_value": 1 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, - "machine_nozzle_offset_x": { "default_value": 19 }, - "machine_nozzle_offset_y": { "default_value": 0 }, + "machine_nozzle_offset_x": { "default_value": -8.0 }, + "machine_nozzle_offset_y": { "default_value": 0.0 }, "machine_extruder_start_code": { "default_value": ";DC20 Dual Extruder 2\n;Put your custom code here"}, "machine_extruder_end_code": { "default_value": ";DC20 Dual Extruder 2\n;Put your custom code here"} } diff --git a/resources/extruders/deltacomb_dc20flux_extruder_0.def.json b/resources/extruders/deltacomb_dc20flux_extruder_0.def.json old mode 100755 new mode 100644 index 96617a9465..b36879898c --- a/resources/extruders/deltacomb_dc20flux_extruder_0.def.json +++ b/resources/extruders/deltacomb_dc20flux_extruder_0.def.json @@ -7,14 +7,13 @@ "position": "0" }, - "overrides": { "extruder_nr": { "default_value": 0 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 1 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 1 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"} + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 1 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 1 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"} } } diff --git a/resources/extruders/deltacomb_dc20flux_extruder_1.def.json b/resources/extruders/deltacomb_dc20flux_extruder_1.def.json old mode 100755 new mode 100644 index 309f857fe0..d1232c24a8 --- a/resources/extruders/deltacomb_dc20flux_extruder_1.def.json +++ b/resources/extruders/deltacomb_dc20flux_extruder_1.def.json @@ -7,15 +7,14 @@ "position": "1" }, - "overrides": { "extruder_nr": { "default_value": 1 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 2 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 2 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 2 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 2 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, "prime_tower_flow": { "value": "200" } } } diff --git a/resources/extruders/deltacomb_dc20flux_extruder_2.def.json b/resources/extruders/deltacomb_dc20flux_extruder_2.def.json old mode 100755 new mode 100644 index 1283e3dbf5..d64a0d8b66 --- a/resources/extruders/deltacomb_dc20flux_extruder_2.def.json +++ b/resources/extruders/deltacomb_dc20flux_extruder_2.def.json @@ -7,15 +7,14 @@ "position": "2" }, - "overrides": { "extruder_nr": { "default_value": 2 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 3 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 3 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 3 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 3 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, "prime_tower_flow": { "value": "200" } } } diff --git a/resources/extruders/deltacomb_dc20flux_extruder_3.def.json b/resources/extruders/deltacomb_dc20flux_extruder_3.def.json old mode 100755 new mode 100644 index 1965f615f6..061de645df --- a/resources/extruders/deltacomb_dc20flux_extruder_3.def.json +++ b/resources/extruders/deltacomb_dc20flux_extruder_3.def.json @@ -7,15 +7,18 @@ "position": "3" }, - "overrides": { "extruder_nr": { "default_value": 3 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 4 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC20 Flux Extruder 4 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 4 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC2x Flux Extruder 4 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, "prime_tower_flow": { "value": "200" } } } + + + + diff --git a/resources/extruders/deltacomb_dc30dual_extruder_0.def.json b/resources/extruders/deltacomb_dc30dual_extruder_0.def.json old mode 100755 new mode 100644 index d404e488bc..45cd65ea8a --- a/resources/extruders/deltacomb_dc30dual_extruder_0.def.json +++ b/resources/extruders/deltacomb_dc30dual_extruder_0.def.json @@ -11,7 +11,7 @@ "extruder_nr": { "default_value": 0 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, - "machine_nozzle_offset_x": { "default_value": 0.0 }, + "machine_nozzle_offset_x": { "default_value": -8.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, "machine_extruder_start_code": { "default_value": ";DC30 Dual Extruder 1\n;Put your custom code here"}, "machine_extruder_end_code": { "default_value": ";DC30 Dual Extruder 1\n;Put your custom code here"} diff --git a/resources/extruders/deltacomb_dc30dual_extruder_1.def.json b/resources/extruders/deltacomb_dc30dual_extruder_1.def.json old mode 100755 new mode 100644 index c1ce8dec33..74d2b3d39d --- a/resources/extruders/deltacomb_dc30dual_extruder_1.def.json +++ b/resources/extruders/deltacomb_dc30dual_extruder_1.def.json @@ -11,8 +11,8 @@ "extruder_nr": { "default_value": 1 }, "machine_nozzle_size": { "default_value": 0.4 }, "material_diameter": { "default_value": 1.75 }, - "machine_nozzle_offset_x": { "default_value": 19 }, - "machine_nozzle_offset_y": { "default_value": 0 }, + "machine_nozzle_offset_x": { "default_value": -8.0 }, + "machine_nozzle_offset_y": { "default_value": 0.0 }, "machine_extruder_start_code": { "default_value": ";DC30 Dual Extruder 2\n;Put your custom code here"}, "machine_extruder_end_code": { "default_value": ";DC30 Dual Extruder 2\n;Put your custom code here"} } diff --git a/resources/extruders/deltacomb_dc30flux_extruder_0.def.json b/resources/extruders/deltacomb_dc30flux_extruder_0.def.json old mode 100755 new mode 100644 index 1f401c3657..604affe3f2 --- a/resources/extruders/deltacomb_dc30flux_extruder_0.def.json +++ b/resources/extruders/deltacomb_dc30flux_extruder_0.def.json @@ -13,7 +13,7 @@ "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 1 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 1 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"} + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 1 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 1 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"} } } diff --git a/resources/extruders/deltacomb_dc30flux_extruder_1.def.json b/resources/extruders/deltacomb_dc30flux_extruder_1.def.json old mode 100755 new mode 100644 index 909d87feeb..e0b0e1711f --- a/resources/extruders/deltacomb_dc30flux_extruder_1.def.json +++ b/resources/extruders/deltacomb_dc30flux_extruder_1.def.json @@ -13,8 +13,8 @@ "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 2 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 2 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 2 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 2 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, "prime_tower_flow": { "value": "200" } } } diff --git a/resources/extruders/deltacomb_dc30flux_extruder_2.def.json b/resources/extruders/deltacomb_dc30flux_extruder_2.def.json old mode 100755 new mode 100644 index f1df8ab154..048499988d --- a/resources/extruders/deltacomb_dc30flux_extruder_2.def.json +++ b/resources/extruders/deltacomb_dc30flux_extruder_2.def.json @@ -13,8 +13,8 @@ "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 3 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 3 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 3 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 3 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, "prime_tower_flow": { "value": "200" } } } diff --git a/resources/extruders/deltacomb_dc30flux_extruder_3.def.json b/resources/extruders/deltacomb_dc30flux_extruder_3.def.json old mode 100755 new mode 100644 index dbc23f96b6..a18f2f1288 --- a/resources/extruders/deltacomb_dc30flux_extruder_3.def.json +++ b/resources/extruders/deltacomb_dc30flux_extruder_3.def.json @@ -13,8 +13,8 @@ "material_diameter": { "default_value": 1.75 }, "machine_nozzle_offset_x": { "default_value": 0.0 }, "machine_nozzle_offset_y": { "default_value": 0.0 }, - "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 4 Start\n;---------------------------------------\nG92 E0 ;zero the extruded length\nG91 ;use relative coordinates\nG1 E68 F10000 ; fast insert\nG92 E0 ;zero the extruded length\nG90 ;absolute positioning\n;---------------------------------------\n;---------------------------------------"}, - "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC30 Flux Extruder 4 End\n;---------------------------------------\nG91 ;use relative coordinates\nG0 E-15 F10000\nG1 Z2 ;lift head\nG4 P3000\nG0 E14.7 F10000\nG1 E-69.7 F10000\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_start_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 4 Start\n;---------------------------------------\nG91 ;relative positioning\nG1 E57 F5000 ;fast insert\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, + "machine_extruder_end_code": { "default_value": ";---------------------------------------\n;DC3x Flux Extruder 4 End\n;---------------------------------------\nG91 ;relative positioning\nG1 E-10 F6000 ;filament shaping\nG0 Z2\nG1 E9\nG1 E-9\nG1 E8\nG1 E-8\nG1 E-10 F110\nG1 E-40 F5000 ; move to park position\nG90 ;absolute positioning\nG92 E0 ;zero the extruded length\n;---------------------------------------\n;---------------------------------------"}, "prime_tower_flow": { "value": "200" } } } diff --git a/resources/extruders/longer_base_extruder_0.def.json b/resources/extruders/longer_base_extruder_0.def.json new file mode 100644 index 0000000000..f4b144ec87 --- /dev/null +++ b/resources/extruders/longer_base_extruder_0.def.json @@ -0,0 +1,16 @@ +{ + "version": 2, + "name": "Extruder 1", + "inherits": "fdmextruder", + "metadata": { + "machine": "longer_base", + "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/stream20_extruder.def.json b/resources/extruders/stream20_extruder.def.json new file mode 100644 index 0000000000..f7186c704f --- /dev/null +++ b/resources/extruders/stream20_extruder.def.json @@ -0,0 +1,21 @@ +{ + "version": 2, + "name": "STREAM20MK2 Extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream20pro_mk2", + "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/stream20dual_0.def.json b/resources/extruders/stream20dual_0.def.json new file mode 100644 index 0000000000..9138d5df63 --- /dev/null +++ b/resources/extruders/stream20dual_0.def.json @@ -0,0 +1,31 @@ +{ + "version": 2, + "name": "Left extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream20dual_mk2", + "position": "0" + }, + + "overrides": { + "extruder_nr": { + "default_value": 0, + "maximum_value": "1" + }, + "machine_nozzle_size": { + "default_value": 0.4 + }, + "material_diameter": { + "default_value": 1.75 + }, + "machine_nozzle_offset_x": { "default_value": 0 }, + "machine_nozzle_offset_y": { "default_value": 0 }, + + "machine_extruder_start_pos_abs": { "default_value": true }, + "machine_extruder_start_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_start_pos_y": { "value": "prime_tower_position_y" }, + "machine_extruder_end_pos_abs": { "default_value": true }, + "machine_extruder_end_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_end_pos_y": { "value": "prime_tower_position_y" } + } +} diff --git a/resources/extruders/stream20dual_1.def.json b/resources/extruders/stream20dual_1.def.json new file mode 100644 index 0000000000..d52ab86111 --- /dev/null +++ b/resources/extruders/stream20dual_1.def.json @@ -0,0 +1,33 @@ +{ + "version": 2, + "name": "Right extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream20dual_mk2", + "position": "1" + }, + + "overrides": { + "extruder_nr": { + "default_value": 1, + "maximum_value": "1" + }, + "machine_nozzle_size": { + "default_value": 0.4 + }, + "material_diameter": { + "default_value": 1.75 + }, + "machine_nozzle_offset_x": { "default_value": 35 }, + "machine_nozzle_offset_y": { "default_value": 0 }, + + "machine_extruder_start_pos_abs": { "default_value": true }, + "machine_extruder_start_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_start_pos_y": { "value": "prime_tower_position_y" }, + "machine_extruder_end_pos_abs": { "default_value": true }, + "machine_extruder_end_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_end_pos_y": { "value": "prime_tower_position_y" } + } +} + + diff --git a/resources/extruders/stream30_extruder.def.json b/resources/extruders/stream30_extruder.def.json new file mode 100644 index 0000000000..182ef9b481 --- /dev/null +++ b/resources/extruders/stream30_extruder.def.json @@ -0,0 +1,21 @@ +{ + "version": 2, + "name": "STREAM30MK2 Extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream30pro_mk2", + "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/stream30dual_0.def.json b/resources/extruders/stream30dual_0.def.json new file mode 100644 index 0000000000..3955219154 --- /dev/null +++ b/resources/extruders/stream30dual_0.def.json @@ -0,0 +1,31 @@ +{ + "version": 2, + "name": "Left extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream30dual_mk2", + "position": "0" + }, + + "overrides": { + "extruder_nr": { + "default_value": 0, + "maximum_value": "1" + }, + "machine_nozzle_size": { + "default_value": 0.4 + }, + "material_diameter": { + "default_value": 1.75 + }, + "machine_nozzle_offset_x": { "default_value": 0 }, + "machine_nozzle_offset_y": { "default_value": 0 }, + + "machine_extruder_start_pos_abs": { "default_value": true }, + "machine_extruder_start_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_start_pos_y": { "value": "prime_tower_position_y" }, + "machine_extruder_end_pos_abs": { "default_value": true }, + "machine_extruder_end_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_end_pos_y": { "value": "prime_tower_position_y" } + } +} diff --git a/resources/extruders/stream30dual_1.def.json b/resources/extruders/stream30dual_1.def.json new file mode 100644 index 0000000000..8db42ecdc7 --- /dev/null +++ b/resources/extruders/stream30dual_1.def.json @@ -0,0 +1,33 @@ +{ + "version": 2, + "name": "Right extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream30dual_mk2", + "position": "1" + }, + + "overrides": { + "extruder_nr": { + "default_value": 1, + "maximum_value": "1" + }, + "machine_nozzle_size": { + "default_value": 0.4 + }, + "material_diameter": { + "default_value": 1.75 + }, + "machine_nozzle_offset_x": { "default_value": 35 }, + "machine_nozzle_offset_y": { "default_value": 0 }, + + "machine_extruder_start_pos_abs": { "default_value": true }, + "machine_extruder_start_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_start_pos_y": { "value": "prime_tower_position_y" }, + "machine_extruder_end_pos_abs": { "default_value": true }, + "machine_extruder_end_pos_x": { "value": "prime_tower_position_x" }, + "machine_extruder_end_pos_y": { "value": "prime_tower_position_y" } + } +} + + diff --git a/resources/extruders/stream30ultra_extruder.def.json b/resources/extruders/stream30ultra_extruder.def.json new file mode 100644 index 0000000000..a2564677ec --- /dev/null +++ b/resources/extruders/stream30ultra_extruder.def.json @@ -0,0 +1,21 @@ +{ + "version": 2, + "name": "Extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream30ultra", + "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/stream30ultrasc_extruder.def.json b/resources/extruders/stream30ultrasc_extruder.def.json new file mode 100644 index 0000000000..1f76837e87 --- /dev/null +++ b/resources/extruders/stream30ultrasc_extruder.def.json @@ -0,0 +1,21 @@ +{ + "version": 2, + "name": "Extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream30ultrasc", + "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/syndaveraxi2_extruder_0.def.json b/resources/extruders/syndaveraxi2_extruder_0.def.json new file mode 100644 index 0000000000..62357f3227 --- /dev/null +++ b/resources/extruders/syndaveraxi2_extruder_0.def.json @@ -0,0 +1,16 @@ +{ + "version": 2, + "name": "Hemera 1", + "inherits": "fdmextruder", + "metadata": { + "machine": "syndaveraxi2", + "position": "0" + }, + + "overrides": { + "extruder_nr": { "default_value": 0 }, + "machine_nozzle_size": { "default_value": 0.4 }, + "material_diameter": { "default_value": 1.75 }, + "machine_steps_per_mm_e": { "default_value": 400 } + } +} \ No newline at end of file diff --git a/resources/extruders/two_trees_base_extruder_0.def.json b/resources/extruders/two_trees_base_extruder_0.def.json new file mode 100644 index 0000000000..d8a810dedc --- /dev/null +++ b/resources/extruders/two_trees_base_extruder_0.def.json @@ -0,0 +1,16 @@ +{ + "version": 2, + "name": "Extruder 1", + "inherits": "fdmextruder", + "metadata": { + "machine": "two_trees_base", + "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/twotrees_bluer_extruder_1.def.json b/resources/extruders/twotrees_bluer_extruder_1.def.json deleted file mode 100644 index fc70c5b65d..0000000000 --- a/resources/extruders/twotrees_bluer_extruder_1.def.json +++ /dev/null @@ -1,18 +0,0 @@ -{ - "version": 2, - "name": "Extruder 2", - "inherits": "fdmextruder", - "metadata": { - "machine": "twotrees_bluer", - "position": "1" - }, - - "overrides": { - "extruder_nr": { - "default_value": 1, - "maximum_value": "1" - }, - "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 4096d8c93f..b5b5e8379b 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-04 15:31+0200\n" "Last-Translator: Miroslav Šustek \n" "Language-Team: DenyCZ \n" @@ -18,188 +18,180 @@ msgstr "" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n>=2 && n<=4 ? 1 : 2);\n" "X-Generator: Poedit 2.4.2\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Načítám zařízení..." +#: /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:1612 +#: /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ý" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Nastavuji preference..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Inicializuji aktivní zařízení..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Dostupné síťové tiskárny" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Inicializuji správce zařízení..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nepřepsáno" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Inicializuji prostor podložky..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Připravuji scénu..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Načítám rozhraní..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Inicializuji engine..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Varování" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Chyba" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Doopravdy chcete odstranit {0}? Toto nelze vrátit zpět!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Vlastní materiál" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Vlastní" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Výchozí" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Neznámý" +msgid "Visual" +msgstr "Vizuální" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Vlastní materiál" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Vlastní" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Vlastní profily" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Všechny podporované typy ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Všechny soubory (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Vizuální" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Přihlášení selhalo" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Hledám nové umístění pro objekt" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Technika" +#: /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 "Hledám umístění" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Návrh" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Nemohu najít umístění" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +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: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Záloha" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Dostupné síťové tiskárny" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nepřepsáno" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Podložka" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura nelze spustit" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -214,32 +206,32 @@ msgstr "" "                    

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Poslat záznam o pádu do Ultimakeru" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Zobrazit podrobný záznam pádu" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Zobrazit složku s konfigurací" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Zálohovat a resetovat konfiguraci" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Záznam pádu" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -250,697 +242,676 @@ msgstr "" "            

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Systémové informace" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Neznámý" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Verze Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Jazyk Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Jazyk operačního systému" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platforma" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Verze Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Verze PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Neinicializováno
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Verze OpenGL: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL Vendor: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Stopování chyby" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Protokoly" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Odeslat záznam" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Přihlášení selhalo" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Načítám zařízení..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Nastavuji preference..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Inicializuji aktivní zařízení..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Inicializuji správce zařízení..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Inicializuji prostor podložky..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Připravuji scénu..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Načítám rozhraní..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Inicializuji engine..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Varování" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Chyba" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Násobím a rozmisťuji objekty" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Umisťuji objekty" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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ěď." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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ěží." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Nelze se dostat na server účtu Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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ý." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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í." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Soubor již existuje" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Špatná cesta k souboru:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Tryska" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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ů:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Nastavení aktualizováno" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder(y) zakázány" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Exportován profil do {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Export úspěšný" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Úspěšně importován profil {0}." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Soubor {0} neobsahuje žádný platný profil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Vlastní profil" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "V profilu chybí typ kvality." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Zatím neexistuje aktivní tiskárna." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Nepovedlo se přidat profil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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í." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "Nepodporovaný" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Výchozí" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Hledám nové umístění pro objekt" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Tryska" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Hledám umístění" +msgid "Settings updated" +msgstr "Nastavení aktualizováno" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Nemohu najít umístění" +msgid "Extruder(s) Disabled" +msgstr "Extruder(y) zakázány" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Zrušit" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Skupina #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Přeskočit" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Zavřít" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Další" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Dokončit" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Vnější stěna" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Vnitřní stěna" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Skin" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Výplň" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Výplň podpor" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Rozhraní podpor" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Podpora" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Límec" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Hlavní věž" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Pohyb" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Retrakce" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Jiné" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Přidat" +msgid "Next" +msgstr "Další" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Zrušit" +msgid "Skip" +msgstr "Přeskočit" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Podložka" +msgid "3D Model Assistant" +msgstr "Asistent 3D modelu" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -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: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Záloha" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Násobím a rozmisťuji objekty" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Umisťuji objekty" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Umisťuji objekt" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Uložit na vyměnitelný disk {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /mnt/projects/ultimaker/cura/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!" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Ukládám" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Soubor uložen" +msgid "Open Project File" +msgstr "Otevřít soubor s projektem" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Vysunout" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Vysunout vyměnitelnou jednotku {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Bezpečně vysunout hardware" +msgid "Can't Open Project File" +msgstr "Nepovedlo se otevřít soubor projektu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Vyměnitelná jednotka" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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é." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Soubor 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Soubor Cura Project 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "Soubor AMF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Soubor G-kódu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Aktualizovat firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Soubor X3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Odmítnout" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Přijmout" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Licenční ujednání zásuvného modulu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Odmítnout a odstranit z účtu" - -#: /mnt/projects/ultimaker/cura/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ů" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchronizuji..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Zjištěny změny z vašeho účtu Ultimaker" +msgid "Backups" +msgstr "Zálohy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Nastala chyba při nahrávání vaší zálohy." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Vytvářím zálohu..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchronizovat" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Nastala chyba při vytváření zálohy." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Nastavení pro každý model" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Nahrávám vaši zálohu..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Vaše záloha byla úspěšně nahrána." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Post Processing" +msgid "Manage backups" +msgstr "Spravovat zálohy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modifikovat G kód" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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í." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Nelze slicovat" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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é." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -953,64 +924,452 @@ msgstr "" "- Jsou přiřazeny k povolenému extruderu\n" "- Nejsou nastavené jako modifikační sítě" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Informace" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB tisk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Tisk přes USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Tisk přes USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Připojeno přes USB" - -#: /mnt/projects/ultimaker/cura/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á?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Probíhá tisk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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" -#: /mnt/projects/ultimaker/cura/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/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Nemohu načíst informace o aktualizaci." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "Pro vaše {machine_name} mohou být k dispozici nové funkce nebo opravy chyb! Pokud ještě není v nejnovější verzi, doporučuje se aktualizovat firmware v tiskárně na verzi {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 firmware available" +msgstr "Nový %s firmware je dostupný" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Ukládám" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Soubor uložen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Vysunout" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Bezpečně vysunout hardware" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Pohled simulace" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Žádné vrstvy k zobrazení" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Zjistit více" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/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 "gITF binární soubor" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "gITF 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 "Kompresovaný COLLADA Digital Asset Exchenge" + +#: /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/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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Vyrovnat podložku" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Vybrat vylepšení" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Tisknout přes cloud" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" @@ -1018,13 +1377,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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1033,12 +1392,12 @@ msgstr[0] "... a {0} další" msgstr[1] "... a {0} další" msgstr[2] "... a {0} dalších" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Tiskárny přidané z Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" @@ -1046,7 +1405,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é" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" @@ -1054,52 +1413,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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Zachovat konfiguraci tiskárny" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Odstranit tiskárnu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Odstranit tiskárny?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1118,7 +1477,7 @@ msgstr[2] "" "Chystáte se odebrat {0} tiskáren z Cury. Tuto akci nelze vrátit zpět.\n" "Doopravdy chcete pokračovat?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1127,1523 +1486,265 @@ msgstr "" "Chystáte se odebrat všechny tiskárny z Cury. Tuto akci nelze vrátit zpět.\n" "Doopravdy chcete pokračovat?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Tisknout přes cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Tisknout přes cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Připojen přes cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "zítra" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "dnes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Odesílám tiskovou úlohu" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Není hostem skupiny" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Konfigurovat skupinu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Odesílejte a sledujte tiskové úlohy odkudkoli pomocí účtu Ultimaker." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Připojit se k Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Začínáme" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Počkejte, až bude odeslána aktuální úloha." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Chyba tisku" +msgid "Update your printer" +msgstr "Aktualizujte vaší tiskárnu" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Chyba sítě" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Fronta je plná" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Data poslána" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Aktualizujte vaší tiskárnu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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íť" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Tisk přes síť" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /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íť" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Vybrat vylepšení" +msgid "Connect via Network" +msgstr "Připojit přes síť" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Vyrovnat podložku" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Doporučeno" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Vlastní" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Otevřít soubor s projektem" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Nepovedlo se otevřít soubor projektu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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é." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Soubor 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Kompresovaný soubor G kódu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter nepodporuje textový mód." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Asistent 3D modelu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "zítra" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Nemohu načíst informace o aktualizaci." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "Pro vaše {machine_name} mohou být k dispozici nové funkce nebo opravy chyb! Pokud ještě není v nejnovější verzi, doporučuje se aktualizovat firmware v tiskárně na verzi {latest_version}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Nový %s firmware je dostupný" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Jak aktualizovat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G soubor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Zpracovávám G kód" +msgid "today" +msgstr "dnes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Podrobnosti G kódu" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB tisk" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Tisk přes USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Blokovač podpor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 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." +msgid "Print via USB" +msgstr "Tisk přes USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Připojeno přes USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Probíhá tisk" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "Soubor X3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "gITF binární soubor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "gITF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Kompresovaný COLLADA Digital Asset Exchenge" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Balíček ve formátu Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profily Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Příprava" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitorování" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Rentgenový pohled" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Chyba při zápisu 3mf file." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Soubor 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Soubor Cura Project 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Plugin 3MF Writer je poškozen." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Náhled" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Pohled vrstev" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Pohled simulace" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Nic není zobrazeno, nejdříve musíte slicovat." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Žádné vrstvy k zobrazení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Znovu nezobrazovat tuto zprávu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Nastavení zařízení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Pevný pohled" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Chyby modelu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Zjistit více" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Nemohu zapsat do UFP souboru:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter nepodporuje netextový mód." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Obrázek JPG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Obrázek JPEG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Obrázek PNG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Obrázek BMP" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Obrázek GIF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Zálohy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Nastala chyba při nahrávání vaší zálohy." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Vytvářím zálohu..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Nastala chyba při vytváření zálohy." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Nahrávám vaši zálohu..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Vaše záloha byla úspěšně nahrána." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Záloha překračuje maximální povolenou velikost soubor." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Spravovat zálohy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aktualizovat firmware" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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í." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automaticky aktualizovat firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Nahrát vlastní firmware" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Vybrat vlastní firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aktualizace firmwaru" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aktualizuji firmware." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aktualizace firmwaru kompletní." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Obchod" - -#: /mnt/projects/ultimaker/cura/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í" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Změny z vašeho účtu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Schovat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Další" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Potvrdit odinstalaci" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiály" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profily" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Potvrdit" - -#: /mnt/projects/ultimaker/cura/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í." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Soubory od komunity" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Komunitní zásuvné moduly" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Obecné materiály" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Verze" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Naposledy aktualizování" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Značka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Ke stažení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Nainstalovaná rozšíření" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Žádné rozšíření nebylo nainstalováno." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Nainstalované materiály" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Žádný materiál nebyl nainstalován." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Zabalená rozšíření" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Zabalené materiály" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Webová stránka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Email" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Přihlásit se" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Načítám balíčky..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Kompatibilita" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Zařízení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Podložka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Podpora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Kvalita" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technický datasheet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Datasheet bezpečnosti" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Zásady tisku" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Webová stránka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Zásuvné moduly" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiály" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Nainstalování" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Přejít na webový obchod" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Nainstaluje se po restartu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Aktualizace" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aktualizuji" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Aktualizování" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgrade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Odinstalace" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Nainstalováno" - -#: /mnt/projects/ultimaker/cura/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í" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Hledat materiály" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Ukončit %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Zpět" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Nainstalovat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Typ síťového modelu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normální model" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Tisknout jako podporu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Upravte nastavení překrývání" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Nepodporovat překrývání" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Pouze síť výplně" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Síť řezu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Vybrat nastavení" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrovat..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Zobrazit vše" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Zásuvný balíček Post Processing" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Skripty Post Processingu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Přidat skript" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Nastavení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Změnít aktivní post-processing skripty." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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í:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Zařazeno do fronty" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Spravovat v prohlížeči" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Tiskové úlohy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Celkový čas tisknutí" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Čekám na" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Změny konfigurace" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Override" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Sklo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Hliník" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Nedostupná tiskárna" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "První dostupný" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Aktualizujte firmware tiskárny a spravujte frontu vzdáleně." - -#: /mnt/projects/ultimaker/cura/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ě" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Upravit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Odstranit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Aktualizovat" - -#: /mnt/projects/ultimaker/cura/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 " - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Typ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Verze firmwaru" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adresa" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Připojit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Špatná IP adresa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Prosím zadejte validní IP adresu." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Adresa tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Tisk přes síť" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Tisk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Výběr tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Přesunout nahoru" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Odstranit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Obnovit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pozastavuji..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Obnovuji..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pozastavit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Ruším..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Zrušit" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Přesunout tiskovou úlohu nahoru" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Odstranit tiskovou úlohu" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Zrušit tisk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Zrušeno" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Dokončeno" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Připravuji..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Ruším..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pozastavuji..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Pozastaveno" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Obnovuji..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Akce vyžadována" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Dokončuji %1 z %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Spravovat tiskárnu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Načítám..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Nedostupný" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Nedostupný" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Čekám" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Tisknu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Bez názvu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonymní" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Jsou nutné změny v nastavení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Podrobnosti" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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á)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Vyrovnávání podložky" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Spustit vyrovnání položky" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Přesunout na další pozici" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Otevřit projekt" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Aktualizovat existující" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Vytvořit nový" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Souhrn - Projekt Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Nastavení tiskárny" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Typ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Skupina tiskárny" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Nastavení profilu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Název" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Záměr" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Není v profilu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" @@ -2651,12 +1752,12 @@ msgstr[0] "%1 přepsání" msgstr[1] "%1 přepsání" msgstr[2] "%1 přepsání" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivát z" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" @@ -2664,52 +1765,484 @@ msgstr[0] "%1, %2 override" msgstr[1] "%1, %2 overrides" msgstr[2] "%1, %2 overrides" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Nastavení materiálu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Nastavení zobrazení" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mód" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Viditelná zařízení:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 z %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Nahrání projektu vymaže všechny modely na podložce." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Otevřít" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Chcete více?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Odstranit zálohu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Obnovit zálohu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura zálohy" + +#: /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:199 +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 +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/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 "Dodávání firmwaru s novými tiskárnami funguje, ale nové verze mají obvykle více funkcí a vylepšení." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Automaticky aktualizovat firmware" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Nahrát vlastní firmware" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Konvertovat obrázek.." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Výška (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Základna (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Šířka (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Hloubka (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Tmavější je vyšší" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Průsvitnost" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "1mm propustnost (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Tiskárna" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Nastavení trysky" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Velikost trysky" + +#: /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" +msgstr "Kompatibilní průměr materiálu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "X offset trysky" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Y offset trysky" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Číslo chladícího větráku" + +#: /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/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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Šířka)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Hloubka)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Výška)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Tvar tiskové podložky" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Počátek ve středu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Topná podložka" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Vyhřívaný objem sestavení" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Varianta G kódu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Nastavení tiskové hlavy" + +#: /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 "Výška rámu tiskárny" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Počet extrůderů" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplikovat offsety extruderu do G kódu" + +#: /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/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Ukončující G kód" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2722,1387 +2255,973 @@ 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Připojte tiskárnu k síti." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Zobrazit online manuály" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Pouze síť výplně" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Síť řezu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Vybrat nastavení" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Další informace o anonymním shromažďování údajů" +msgid "Select Settings to Customize for this model" +msgstr "Vybrat nastavení k přizpůsobení pro tento model" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrovat..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Zobrazit vše" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Zásuvný balíček Post Processing" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Změnít aktivní post-processing skripty." + +#: /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] "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/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" msgid "Color scheme" msgstr "Barevné schéma" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Barva materiálu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Typ úsečky" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Rychlost" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Tloušťka vrstvy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Šířka čáry" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Mód kompatibility" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Cesty" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Pomocníci" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Shell" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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ň" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Začátky" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Zobrazit jen vrchní vrstvy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Nahoře / Dole" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Vnitřní stěna" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "max" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Nastavení trysky" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Velikost trysky" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Kompatibilní průměr materiálu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "X offset trysky" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Y offset trysky" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Číslo chladícího větráku" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Počáteční G-kód extuderu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Ukončující G-kód extuderu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Tiskárna" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Nastavení tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Šířka)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Hloubka)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Výška)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Tvar tiskové podložky" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Počátek ve středu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Topná podložka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Vyhřívaný objem sestavení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Varianta G kódu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Nastavení tiskové hlavy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Výška rámu tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Počet extrůderů" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplikovat offsety extruderu do G kódu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Počáteční G kód" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Ukončující G kód" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Konvertovat obrázek.." +msgid "More information on anonymous data collection" +msgstr "Další informace o anonymním shromažďování údajů" -#: /mnt/projects/ultimaker/cura/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“." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Výška (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Základna (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "Šířka podložky v milimetrech." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Šířka (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "Hloubka podložky v milimetrech" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Hloubka (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Tmavější je vyšší" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Světlejší je vyšší" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Lineární" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Průsvitnost" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "1mm propustnost (%)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Vyhlazování" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Moje zálohy" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Chcete více?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Zálohovat nyní" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Automatické zálohy" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura verze" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Zařízení" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiály" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profily" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Zásuvné moduly" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Obnovit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Odstranit zálohu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Obnovit zálohu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura zálohy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Materiál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Oblíbené" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Obecné" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Soubor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Uložit projekt..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportovat..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Výběr exportu..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Otevřít &Poslední" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Vybrat konfiguraci" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfigurace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfigurace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Vlastní" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Tiskárna" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Povoleno" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "S touto kombinací materiálu pro lepší adhezi použijte lepidlo." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Obchod" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Načítání dostupných konfigurací z tiskárny ..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Konfigurace nejsou k dispozici, protože je tiskárna odpojena." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "Po&hled" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Pozice &kamery" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Pohled kamery" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektiva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortografický" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "Pod&ložka" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Tiskárny s povolenou sítí" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Lokální tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Viditelná nastavení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Sbalit všechny kategorie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Spravovat nastavení viditelnosti ..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "Nasta&vení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Tiskárna" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Nastavit jako aktivní extruder" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Povolit extuder" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Zakázat Extruder" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Uložit projekt..." - -#: /mnt/projects/ultimaker/cura/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í:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Počet kopií" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Otevřít soubor(y)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Vlastní profily" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Zrušit aktuální změny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Některé hodnoty nastavení / přepsání se liší od hodnot uložených v profilu.\n" -"\n" -"Klepnutím otevřete správce profilů." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Zap" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Vyp" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Experimentální" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Doporučeno" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Vlastní" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Nastavení tisku" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Postupná výplň" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profily" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Podpora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Adheze" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/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] "Neexistuje žádný profil %1 pro konfiguraci v extruderu %2. Místo toho bude použit výchozí záměr" -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "Není z čeho vybírat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Aktivní tisk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Název úlohy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Čas tisku" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Předpokládaný zbývající čas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Smazat nebo nechat změny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"Upravili jste některá nastavení profilu.\n" -"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'." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Nastavení profilu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Aktuální změny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Vždy se zeptat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Smazat a už se nikdy neptat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Nechat a už se nikdy neptat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Smazat změny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Zanechat změny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "O %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "verze: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 vyvíjí Ultimaker B.V. ve spolupráci s komunitou.\n" -"Cura hrdě používá následující open source projekty:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Grafické uživatelské prostředí" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Aplikační framework" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Generátor G kódu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Meziprocesní komunikační knihovna" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Programovací jazyk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI framework" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Propojení GUI frameworku" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Binding knihovna C/C++" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Formát výměny dat" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Knihovna pro sériovou komunikaci" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Knihovna ZeroConf discovery" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Knihovna pro výstřižky z mnohoúhelníků" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Kontrola statických typů pro Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Chyba v Python trackovací knihovně" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Propojení libnest2d s jazykem Python" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Python rozšíření pro Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Font" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Ikony SVG" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Linux cross-distribution application deployment" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Otevřít soubor(y)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importovat vše jako modely" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Uložit projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & materiál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Materiál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Nezobrazovat souhrn projektu při uložení znovu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Uložit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Otevřít soubor s projektem" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "Nechci posílat anonymní data" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Pamatuj si moji volbu" +msgid "Allow sending anonymous data" +msgstr "Povolit zasílání anonymních dat" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Otevřít jako projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Importovat modely" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Bez názvu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Vítejte v Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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ů." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Začínáme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Prázdné" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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ě:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Typy zařízení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Použití materiálu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Počet sliců" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Nastavení tisku" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Více informací" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Přidat tiskárnu podle IP adresy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Zadejte IP adresu vaší tiskárny." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Přidat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Nelze se připojit k zařízení." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Zpět" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Přejít na webový obchod" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Hledat materiály" + +#: /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:457 +#: /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 +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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Nainstalované materiály" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Zabalená rozšíření" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Spustit vyrovnání položky" + +#: /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/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/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/trin/Gedeeld/Projects/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/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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Přidat tiskárnu" +msgid "Enter the IP address of your printer on the network." +msgstr "Vložte IP adresu vaší tiskárny na síti." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Přidat síťovou tiskárnu" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Přidat ne-síťovou tiskárnu" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "Co je nového" +msgid "Change material %1 from %2 to %3." +msgstr "Změnit materiál %1 z %2 na %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Přidat Cloudovou tiskárnu" +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)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Čekám na odpověď od Cloudu" +msgid "Change print core %1 from %2 to %3." +msgstr "Změnit jádro tisku %1 z %2 na %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Žádné tiskárny nenalezeny ve vašem účtě?" +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)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 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:" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Přidat tiskárnu manuálně" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Tisk přes síť" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Tisk" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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ě" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Vytvořit účet Ultimaker zdarma" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Přeskočit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Uživatelská dohoda" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Odmítnout a zavřít" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Poznámky k vydání" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Obnovit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Přidat tiskárnu podle IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Přidat cloudovou tiskárnu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Podpora při problémech" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Výrobce" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor profilu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Název tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Pojmenujte prosím svou tiskárnu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Poslední aktualizace: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker Account" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Odhlásit se" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -4113,948 +3232,1926 @@ msgstr "" "- 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ě" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Přihlásit se" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "Kontroluji..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Účet byl synchronizován" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Nastala chyba..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Nainstalujte čekající aktualizace" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "Zkontrolovat aktualizace pro účet" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Seznam objektů" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Poslední aktualizace: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker Account" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Slicuji..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Nelze slicovat" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Zpracovává se" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Slicovat" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Začít proces slicování" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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ů" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Přepnout zobrazení na celou obrazovku" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Ukončit zobrazení na celou obrazovku" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "&Vrátit" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&Znovu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "&Ukončit" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "3D Pohled" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Přední pohled" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Pohled ze shora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Pohled z pravé strany" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Pohled z pravé strany" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Konfigurovat Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "Přidat t&iskárnu..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Spravovat &tiskárny..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Spravovat materiály..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Přidat více materiálů z obchodu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "Smazat aktuální &změny" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "&Vytvořit profil z aktuálního nastavení/přepsání." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Spravovat profily..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Zobrazit online &dokumentaci" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "Nahlásit &chybu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Co je nového" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "Více..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Smazat vybrané" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Centrovat vybrané" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Násobit vybrané" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Odstranit model" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "&Centerovat model na podložce" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "Sesk&upit modely" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Rozdělit modely" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "Spo&jit modely" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "Náso&bení modelu..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Vybrat všechny modely" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Vyčistit podložku" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Znovu načíst všechny modely" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "Uspořádejte všechny modely do všechpodložek" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Uspořádat všechny modely" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Uspořádat selekci" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Resetovat všechny pozice modelů" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Resetovat všechny transformace modelů" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "&Otevřít soubor(y)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&Nový projekt..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Zobrazit složku s konfigurací" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Konfigurovat viditelnost nastavení..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "Mark&et" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Vypočítáno" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Nastavení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Aktuální" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Jednotka" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Potvrdit změnu průměru" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Jméno" +msgid "This package will be installed after restarting." +msgstr "Tento balíček bude nainstalován po restartování." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Typ materiálu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Barva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Vlastnosti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Husttoa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Průměr" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Cena filamentu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Váha filamentu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Délka filamentu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Cena za metr" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Zrušit propojení s materiálem" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Popis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informace o adhezi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivovat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Vytvořit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplikovat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Import" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Export" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Tiskárna" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Potvrdit odstranění" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 -#: /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importovat materiál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Nelze importovat materiál %1: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Úspěšně importován materiál %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportovat materiál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Úspěšné exportování materiálu do %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Přejmenovat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profily" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Vytvořit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplikovat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Vytvořit profil" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplikovat profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Přejmenovat profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importovat profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportovat profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Tiskárna: %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Globální nastavení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Nastavení zobrazení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Zkontrolovat vše" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "Obecné" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Nastavení" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Tiskárny" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profily" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Zavírám %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Nainstalovat balíček" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Otevřít Soubor(y)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Přidat tiskárnu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Co je nového" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "Rozhranní" +msgid "version: %1" +msgstr "verze: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "Měna:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "Komplexní řešení pro 3D tisk z taveného filamentu." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 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 msgctxt "@label" -msgid "Theme:" -msgstr "Styl:" +msgid "Graphical user interface" +msgstr "Grafické uživatelské prostředí" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 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." +msgid "Application framework" +msgstr "Aplikační framework" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Slicovat automaticky při změně nastavení." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Slicovat automaticky" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "Chování výřezu" +msgid "G-code generator" +msgstr "Generátor G kódu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "Meziprocesní komunikační knihovna" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Zobrazit převis" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "Programovací jazyk" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUI framework" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Zobrazovat chyby modelu" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Propojení GUI frameworku" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "Binding knihovna C/C++" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Knihovna pro sériovou komunikaci" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +msgctxt "@Label" +msgid "Python Error tracking library" +msgstr "Chyba v Python trackovací knihovně" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Python bindings for libnest2d" +msgstr "Propojení libnest2d s jazykem Python" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Font" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Otevřít soubor s projektem" + +#: /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 "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/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 msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Vycentrovat kameru pokud je vybrána položka" +msgid "Open as project" +msgstr "Otevřít jako projekt" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Obrátit směr přibližování kamery." +msgid "Import models" +msgstr "Importovat modely" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Smazat nebo nechat změny" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"Upravili jste některá nastavení profilu.\n" +"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'." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Nastavení profilu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Aktuální změny" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Zajistěte, aby modely byly odděleny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Automaticky přetáhnout modely na podložku" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Zobrazte v čtečce g-kódu varovnou zprávu." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Upozornění ve čtečce G-kódu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Měla by být vrstva vynucena do režimu kompatibility?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Vynutit režim kompatibility zobrazení vrstev (vyžaduje restart)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Při zapnutí obnovit pozici okna" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Jaký typ kamery by se měl použít?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Vykreslování kamery:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Perspektiva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Ortografický" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Otevírám a ukládám soubory" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Používat pouze jednu instanci programu Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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é?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Škálovat velké modely" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Škálovat extrémně malé modely" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Měly by být modely vybrány po načtení?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Vybrat modely po načtení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Přidat předponu zařízení před název úlohy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Zobrazit souhrnný dialog při ukládání projektu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Výchozí chování při otevírání souboru" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Výchozí chování při otevření souboru s projektem: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Vždy se zeptat" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Vždy otevírat jako projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Vždy importovat modely" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Vždy smazat změněné nastavení" +msgid "Discard and never ask again" +msgstr "Smazat a už se nikdy neptat" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Vždy přesunout nastavení do nového profilu" +msgid "Keep and never ask again" +msgstr "Nechat a už se nikdy neptat" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Soukromí" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Zkontrolovat aktualizace při zapnutí" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Posílat (anonymní) informace o tisku" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "Více informací" +msgid "Discard changes" +msgstr "Smazat změny" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Zanechat změny" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Importovat vše jako modely" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Uložit projekt" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & materiál" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Materiál" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Uložit" + +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "D&oplňky" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&reference" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "Po&moc" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Nový projekt" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "Typ pohledu" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Vybrat konfiguraci" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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ě" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Tisknu..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "Pozastaveno" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Připravuji..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Zrušit tisk" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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í?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Je tisknuto jako podpora." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Rozhranní" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Měna:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Styl:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Slicovat automaticky" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Chování výřezu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Zobrazit převis" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Zobrazovat chyby modelu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Vykreslování kamery:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspektiva" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Ortografický" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +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:555 +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:560 +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:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Škálovat velké modely" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +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:600 +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:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Vybrat modely po načtení" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Vždy se zeptat" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +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:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Vždy importovat modely" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +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:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Soukromí" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +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:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Více informací" + +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Tiskárna" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importovat materiál" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportovat materiál" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Prohledat nastavení" +msgid "Check all" +msgstr "Zkontrolovat vše" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Kopírovat hodnotu na všechny extrudery" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extuder" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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ý." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Schovat toto nastavení" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Neukazovat toto nastavení" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Nechat toto nastavení viditelné" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Přidat tiskárnu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Aktivní tisk" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Čas tisku" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Profil" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Některé hodnoty nastavení / přepsání se liší od hodnot uložených v profilu.\n" +"\n" +"Klepnutím otevřete správce profilů." + +#: /home/trin/Gedeeld/Projects/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 +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] "Neexistuje žádný profil %1 pro konfiguraci v extruderu %2. Místo toho bude použit výchozí záměr" +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimentální" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Postupná výplň" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Podpora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -5065,32 +5162,32 @@ msgstr "" "\n" "Klepnutím toto nastavení zviditelníte." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Ovlivňuje" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Ovlivněno" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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ů." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5101,7 +5198,7 @@ msgstr "" "\n" "Klepnutím obnovíte hodnotu profilu." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5112,719 +5209,306 @@ msgstr "" "\n" "Klepnutím obnovíte vypočítanou hodnotu." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Prohledat nastavení" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Schovat toto nastavení" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Neukazovat toto nastavení" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Přední pohled" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Pohled ze shora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Pohled zleva" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Pohled zprava" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extuder" +msgid "View type" +msgstr "Typ pohledu" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Přidat Cloudovou tiskárnu" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Čekám na odpověď od Cloudu" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Žádné tiskárny nenalezeny ve vašem účtě?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Zrušit" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Předehřání" +msgid "Add printer manually" +msgstr "Přidat tiskárnu manuálně" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Materiál v tomto extruderu." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Vložená trysky v tomto extruderu." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Podložka" +msgid "Manufacturer" +msgstr "Výrobce" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Ovládání tiskárny" +msgid "Profile author" +msgstr "Autor profilu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Pozice hlavy" +msgid "Printer name" +msgstr "Název tiskárny" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Vzdálenost hlavy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Poslat G kód" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Tiskárna není připojena." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Je tisknuto jako podpora." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Přesahy na tomto modelu nejsou podporovány." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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í." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Obchod" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "Upr&avit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "D&oplňky" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&reference" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "Po&moc" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Nový projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 -msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Tento balíček bude nainstalován po restartování." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Nastavení" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Zavírám %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Doopravdy chcete zavřít %1?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Nainstalovat balíček" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Otevřít Soubor(y)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" +msgid "Add a printer" msgstr "Přidat tiskárnu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:240 +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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Vytvořit účet Ultimaker zdarma" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Přeskočit" + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "Co je nového" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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í." - -#: /mnt/projects/ultimaker/cura/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ě." - -#: /mnt/projects/ultimaker/cura/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í." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Přidat tiskárnu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Spravovat tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Připojené tiskárny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Přednastavené tiskárny" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Odhad času" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Odhad materiálu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Slicuji..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Nelze slicovat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Zpracovává se" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Slicovat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Začít proces slicování" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Zrušit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Žádný odhad času není dostupný" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Žádná cena není dostupná" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Náhled" - -#: RemovableDriveOutputDevice/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." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Vyměnitelný zásuvný modul pro výstupní zařízení" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Aktualizuje konfigurace z Cura 4.2 na Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Aktualizace verze 4.2 na 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Aktualizace verze 2.6 na 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Aktualizuje konfigurace z Cura 2.5 na Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Aktualizace verze 2.5 na 2.6" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Aktualizace verze 2.1 na 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Aktualizuje konfigurace z Cura 4.3 na Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Aktualizace verze 4.3 na 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Aktualizuje konfigurace z Cura 3.4 na Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Aktualizace verze 3.4 na 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Aktualizace verze 2.7 na 3.0" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Poskytuje podporu pro čtení souborů X3D." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Čtečka X3D" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Umožňuje nastavení pro každý model." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Nástroj pro nastavení pro každý model" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Přijme G-kód a odešle je do tiskárny. Plugin může také aktualizovat firmware." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB tisk" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" +msgid "No items to select from" +msgstr "Není z čeho vybírat" #: ModelChecker/plugin.json msgctxt "description" @@ -5836,105 +5520,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Kontroler modelu" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Zkontroluje dostupné aktualizace firmwaru." +msgid "Provides support for reading 3MF files." +msgstr "Poskytuje podporu pro čtení souborů 3MF." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Kontroler aktualizace firmwaru" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Vytvoří gumovou síť, která blokuje tisk podpory na určitých místech" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Mazač podpor" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Poskytuje přípravnou fázi v Cuře." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Fáze přípravy" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "Čtečka 3MF" #: 3MFWriter/plugin.json msgctxt "description" @@ -5946,65 +5540,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "Zapisovač 3MF" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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í." +msgid "Provides support for reading AMF files." +msgstr "Poskytuje podporu pro čtení souborů AMF." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Informace o slicování" +msgid "AMF Reader" +msgstr "Čtečka AMF" -#: 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Poskytuje zobrazení simulace." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Poskytuje odkaz na backend krájení CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Pohled simulace" - -#: 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í" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "CuraEngine Backend" #: CuraProfileReader/plugin.json msgctxt "description" @@ -6016,15 +5580,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Čtečka Cura profilu" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Poskytuje podporu pro psaní balíčků formátu Ultimaker." +msgid "Provides support for exporting Cura profiles." +msgstr "Poskytuje podporu pro export profilů Cura." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "Zapisovač UFP" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -6046,15 +5680,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Čtečka obrázků" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Zálohujte a obnovte konfiguraci." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Poskytuje podporu pro import profilů ze starších verzí Cura." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura zálohy" +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." +msgstr "Umožňuje nastavení pro každý model." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Nástroj pro nastavení pro každý model" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Poskytuje přípravnou fázi v Cuře." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Fáze přípravy" + +#: 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" + +#: RemovableDriveOutputDevice/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." + +#: RemovableDriveOutputDevice/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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Vytvoří gumovou síť, která blokuje tisk podpory na určitých místech" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Mazač podpor" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Poskytuje podporu pro psaní balíčků formátu Ultimaker." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Zapisovač UFP" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Přijme G-kód a odešle je do tiskárny. Plugin může také aktualizovat firmware." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB tisk" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Aktualizace verze 2.1 na 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Aktualizuje konfigurace z Cura 2.5 na Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Aktualizace verze 2.5 na 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Aktualizace verze 2.6 na 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Aktualizuje konfigurace z Cura 3.4 na Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "Aktualizace verze 3.4 na 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Aktualizuje konfigurace z Cura 4.2 na Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Aktualizace verze 4.2 na 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Aktualizuje konfigurace z Cura 4.3 na Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Poskytuje podporu pro čtení souborů X3D." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Čtečka X3D" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/cs_CZ/fdmextruder.def.json.po b/resources/i18n/cs_CZ/fdmextruder.def.json.po index 07831057f6..e2833ba4c3 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 560164b796..8a120467be 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-04 19:37+0200\n" "Last-Translator: Miroslav Šustek \n" "Language-Team: DenyCZ \n" @@ -3199,8 +3199,8 @@ msgstr "Maximální vzdálenost Combing-u bez retrakce" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Pokud nenulové, pohyby combingového pohybu, které jsou delší než tato vzdálenost, použijí zatažení." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6400,6 +6400,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Pokud nenulové, pohyby combingového pohybu, které jsou delší než tato vzdálenost, použijí zatažení." + #~ msgctxt "infill_mesh_order description" #~ msgid "Determines the priority of this mesh when considering multiple overlapping infill meshes. Areas where multiple infill meshes overlap will take on the settings of the mesh with the lowest rank. An infill mesh with a higher order will modify the infill of infill meshes with lower order and normal meshes." #~ msgstr "Určuje prioritu této sítě, když se překrývá více sítí výplně. U oblastí, kde se překrývá více sítí výplně, se nastavení přebírá ze sítě s nejnižším pořadím. Síť výplně s vyšším pořadím bude modifikovat výplň sítě výplně s nižším pořadím a běžné sítě." diff --git a/resources/i18n/cura.pot b/resources/i18n/cura.pot index d70842b30f..07459f1da2 100644 --- a/resources/i18n/cura.pot +++ b/resources/i18n/cura.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -18,197 +18,189 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." +#: /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:1612 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 -msgctxt "@label" -msgid "Custom profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "All Supported Types ({0})" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 -msgctxt "@item:inlistbox" -msgid "All Files (*)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:234 msgctxt "@label" +msgid "Custom Material" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +msgctxt "@label" +msgid "Custom profiles" +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:181 +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:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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:151 +#: /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:116 +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/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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:146 +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:157 +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 +msgctxt "@info:status" msgid "" -"The printer(s) below cannot be connected because they are part of a group" +"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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" +#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

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

  • OpenGL Version: {version}
  • " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 +#: /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:189 msgctxt "@info" msgid "" "Unable to start a new sign in process. Check if another sign in attempt is " "still active." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "" @@ -393,42 +472,20 @@ msgid "" "overwrite it?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -msgctxt "@info:message Followed by a list of settings." -msgid "" -"Settings have been changed to match the current availability of extruders:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "" "Failed to export profile to {0}: {1}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "" @@ -436,44 +493,44 @@ msgid "" "failure." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "" @@ -481,51 +538,51 @@ msgid "" "import it." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "" @@ -533,7 +590,7 @@ msgid "" "definition '{1}'." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, python-brace-format msgctxt "@info:status" msgid "" @@ -542,410 +599,333 @@ msgid "" "combination that can use this quality type." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +msgctxt "@info:message Followed by a list of settings." +msgid "" +"Settings have been changed to match the current availability of extruders:" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" +msgid "Settings updated" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" +msgid "Extruder(s) Disabled" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" +msgid "Next" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" +msgid "Skip" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 +#: /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 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 +#, 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." +"

    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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 -msgctxt "@info:title" -msgid "Build Volume" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" +msgid "" +"Project file {0} contains an unknown machine type " +"{1}. Cannot import the machine. Models will be imported " +"instead." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" +msgid "Open Project File" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" +msgctxt "@info:error Don't translate the XML tags or !" +msgid "" +"Project file {0} is suddenly inaccessible: {1}" +"." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" +msgid "Can't Open Project File" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." +msgctxt "@info:error Don't translate the XML tags or !" +msgid "" +"Project file {0} is corrupt: {1}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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." +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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" +msgid "Backups" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" +msgid "Manage backups" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 msgctxt "@info:status" msgid "" "Unable to slice with the current material as it is incompatible with the " "selected machine or configuration." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, python-brace-format msgctxt "@info:status" msgid "" @@ -953,7 +933,7 @@ msgid "" "errors: {0}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, python-brace-format msgctxt "@info:status" msgid "" @@ -961,13 +941,13 @@ msgid "" "errors on one or more models: {error_labels}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 msgctxt "@info:status" msgid "" "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, python-format msgctxt "@info:status" msgid "" @@ -975,7 +955,7 @@ msgid "" "%s." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -984,80 +964,474 @@ msgid "" "- Are not all set as modifier meshes" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "" -"A print is still in progress. Cura cannot start another print via USB until " -"the previous print has completed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not " +"already at the latest version, 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 firmware available" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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:93 +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:89 +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:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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 "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +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 +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:270 +#, 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:227 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1065,71 +1439,71 @@ msgid_plural "... and {0} others" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1143,7 +1517,7 @@ msgid_plural "" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be " @@ -1151,101 +1525,34 @@ msgid "" "Are you sure you want to continue?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." +msgid "" +"You are attempting to connect to a printer that is not running Ultimaker " +"Connect. Please update the printer to the latest firmware." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" +msgid "Update your printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1253,461 +1560,414 @@ msgid "" "printer of group {0}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 msgctxt "@info:title" msgid "Sending materials to printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 msgctxt "@action:button Preceded by 'Ready to'." msgid "Print over network" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 msgctxt "@info:status" msgid "Connected over the network" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" +msgid "Connect via Network" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "" -"Project file {0} is suddenly inaccessible: {1}" -"." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "" -"Project file {0} is corrupt: {1}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 not " -"already at the latest version, it is recommended to update the firmware on " -"your printer to version {latest_version}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" +msgid "today" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" msgstr "" -#: /mnt/projects/ultimaker/cura/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." +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." +msgid "Print via USB" msgstr "" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "" +"A print is still in progress. Cura cannot start another print via USB until " +"the previous print has completed." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" +msgid "X3D File" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 +msgctxt "@info:tooltip" msgid "" -"The operating system does not allow saving a project file to this location " -"or with this file name." +"Some things could be problematic in this print. Click to see tips for " +"adjustment." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +msgctxt "@title:window" +msgid "Open Project" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +msgctxt "@action:ComboBox Update/override existing profile" +msgid "Update existing" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +msgctxt "@action:ComboBox Save settings in a new profile" +msgid "Create new" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +msgctxt "@action:title" +msgid "Summary - Cura Project" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +msgctxt "@action:label" +msgid "Printer settings" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +msgctxt "@info:tooltip" +msgid "How should the conflict in the machine be resolved?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +msgctxt "@action:label" +msgid "Type" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +msgctxt "@action:label" +msgid "Printer Group" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +msgctxt "@action:label" +msgid "Profile settings" msgstr "" -#: /mnt/projects/ultimaker/cura/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." +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +msgctxt "@info:tooltip" +msgid "How should the conflict in the profile be resolved?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +msgctxt "@action:label" +msgid "Name" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +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:226 +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:231 +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 msgctxt "@action:button" -msgid "Learn more" +msgid "Open" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 +msgctxt "@dialog:title" +msgid "Delete Backup" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 +msgctxt "@dialog:title" +msgid "Restore Backup" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:info" +msgid "" +"You will need to restart Cura before your backup is restored. Do you want to " +"close Cura now?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +#: /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:199 +msgctxt "@button" +msgid "Sign in" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 msgctxt "@title" msgid "Update Firmware" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /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 " @@ -1715,602 +1975,935 @@ msgid "" "makes your printer work." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" msgid "Automatically upgrade Firmware" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 msgctxt "@action:button" msgid "Upload custom Firmware" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" msgid "Select custom firmware" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" msgid "Firmware Update" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" msgid "Updating firmware." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" msgid "Firmware update completed." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" msgid "Firmware update failed due to an unknown error." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 msgctxt "@label" msgid "Firmware update failed due to an communication error." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 msgctxt "@label" msgid "Firmware update failed due to an input/output error." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 msgctxt "@label" msgid "Firmware update failed due to missing firmware." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" -msgid "Confirm uninstall" +msgid "Convert Image..." msgstr "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" +msgid "The maximum distance of each pixel from \"Base.\"" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +msgctxt "@item:inlistbox" +msgid "Lighter is higher" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 msgctxt "@label" -msgid "Will install upon restarting" +msgid "Nozzle size" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +#: /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 "Premium" +msgid "mm" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 msgctxt "@label" -msgid "Search materials" +msgid "Compatible material diameter" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +#: /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 "You will need to restart Cura before changes in packages have effect." +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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +msgctxt "@info" +msgid "Please connect your printer to the network." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +msgctxt "@label link to technical assistance" +msgid "View user manuals online" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" msgid "Mesh Type" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 msgctxt "@label" msgid "Normal model" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 msgctxt "@label" msgid "Print as support" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 msgctxt "@label" msgid "Modify settings for overlaps" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 msgctxt "@label" msgid "Don't support overlaps" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 msgctxt "@item:inlistbox" msgid "Infill mesh only" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 msgctxt "@item:inlistbox" msgid "Cutting mesh" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 msgctxt "@action:button" msgid "Select settings" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" msgid "Select Settings to Customize for this model" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 msgctxt "@label:checkbox" msgid "Show all" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" msgid "Post Processing Plugin" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" msgid "Post Processing Scripts" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 msgctxt "@action" msgid "Add a script" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" msgid "Settings" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 msgctxt "@info:tooltip" msgid "Change active post-processing scripts." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 +#: /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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "Queued" +msgid "Color scheme" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +#: /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 "There are no print jobs in the queue. Slice and send a job to add one." +msgid "Compatibility Mode" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Print jobs" +msgid "Travels" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "Total print time" +msgid "Helpers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Waiting for" +msgid "Shell" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +#: /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 "Configuration Changes" +msgid "More information on anonymous data collection" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +#: /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 "Override" +msgid "Back" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "" -"The printer %1 is assigned, but the job contains an unknown material " -"configuration." +msgid "Compatibility" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" msgstr "" -#: /mnt/projects/ultimaker/cura/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." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /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 "Please update your printer's firmware to manage the queue remotely." +msgid "You will need to restart Cura before changes in packages have effect." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /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:457 +#: /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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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 "" + +#: /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 "" + +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /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 " @@ -2320,1206 +2913,2298 @@ msgid "" "printer." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 msgctxt "@label" msgid "Select your printer from the list below:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 msgctxt "@action:button" msgid "Edit" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 msgctxt "@action:button" msgid "Refresh" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 msgctxt "@action:button" msgid "Connect" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 msgctxt "@title:window" msgid "Invalid IP address" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 msgctxt "@title:window" msgid "Printer Address" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 msgctxt "@title:window" -msgid "Print over network" +msgid "Configuration Changes" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 msgctxt "@action:button" -msgid "Print" +msgid "Override" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 msgctxt "@label" -msgid "Printer selection" +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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 msgctxt "@label" msgid "Delete" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 msgctxt "@label" msgid "Pausing..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 msgctxt "@label" msgid "Resuming..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 msgctxt "@label" msgid "Aborting..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 msgctxt "@label" msgid "Abort" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 msgctxt "@window:title" msgid "Move print job to top" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 msgctxt "@window:title" msgid "Delete print job" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 msgctxt "@label link to Connect and Cloud interfaces" msgid "Manage printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +#: /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:348 msgctxt "@label:status" msgid "Loading..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 msgctxt "@label:status" msgid "Unavailable" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 msgctxt "@label:status" msgid "Unreachable" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 msgctxt "@label:status" msgid "Idle" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 msgctxt "@label" msgid "Untitled" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 msgctxt "@label" msgid "Anonymous" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 msgctxt "@label:status" msgid "Requires configuration changes" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 msgctxt "@action:button" msgid "Details" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" +msgid "Unavailable printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" +msgid "First available" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 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." +msgid "Queued" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +#: /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 "" -"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." +msgid "There are no print jobs in the queue. Slice and send a job to add one." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /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:11 msgctxt "@title:window" -msgid "Open Project" +msgid "Print over network" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 -msgctxt "@action:ComboBox Update/override existing profile" -msgid "Update existing" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 -msgctxt "@action:ComboBox Save settings in a new profile" -msgid "Create new" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 -msgctxt "@action:title" -msgid "Summary - Cura Project" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 -msgctxt "@action:label" -msgid "Printer settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 -msgctxt "@info:tooltip" -msgid "How should the conflict in the machine be resolved?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 -msgctxt "@action:label" -msgid "Type" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -msgctxt "@action:label" -msgid "Printer Group" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 -msgctxt "@action:label" -msgid "Profile settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 -msgctxt "@info:tooltip" -msgid "How should the conflict in the profile be resolved?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 -msgctxt "@action:label" -msgid "Name" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 -msgctxt "@action:label" -msgid "Intent" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 -msgctxt "@action:label" -msgid "Not in profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 -msgctxt "@action:label" -msgid "%1 override" -msgid_plural "%1 overrides" -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 -msgctxt "@action:label" -msgid "Derivative from" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 -msgctxt "@action:label" -msgid "%1, %2 override" -msgid_plural "%1, %2 overrides" -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 -msgctxt "@action:label" -msgid "Material settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 -msgctxt "@info:tooltip" -msgid "How should the conflict in the material be resolved?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 -msgctxt "@action:label" -msgid "Setting visibility" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 -msgctxt "@action:label" -msgid "Mode" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 -msgctxt "@action:label" -msgid "Visible settings:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 -msgctxt "@action:label" -msgid "%1 out of %2" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 -msgctxt "@action:warning" -msgid "Loading a project will clear all models on the build plate." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 msgctxt "@action:button" -msgid "Open" +msgid "Print" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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 "" -"Some things could be problematic in this print. Click to see tips for " -"adjustment." +"- 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 "" -#: /mnt/projects/ultimaker/cura/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." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 -msgctxt "@info" -msgid "Please connect your printer to the network." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 -msgctxt "@label link to technical assistance" -msgid "View user manuals online" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" -msgid "Color scheme" +msgid "Checking..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" -msgid "Compatibility Mode" +msgid "Account synced" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" -msgid "Travels" +msgid "Something went wrong..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /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:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +msgctxt "@button" +msgid "Sign Out" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 msgctxt "@label" -msgid "Helpers" +msgid "No time estimation available" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 msgctxt "@label" -msgid "Shell" +msgid "No cost estimation available" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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 "Infill" +msgid "Time estimation" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 msgctxt "@label" -msgid "Starts" +msgid "Material estimation" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 msgctxt "@label" -msgid "Only Show Top Layers" +msgid "Start the slicing process" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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:125 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" +msgid "This package will be installed after restarting." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 -msgctxt "@label" -msgid "Inner Wall" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 -msgctxt "@label" -msgid "min" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 -msgctxt "@label" -msgid "max" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" -msgid "Printer" +msgid "General" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 -msgctxt "@title:window" -msgid "Convert Image..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:33 -msgctxt "@info:tooltip" -msgid "The maximum distance of each pixel from \"Base.\"" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:56 -msgctxt "@info:tooltip" -msgid "The base height from the build plate in millimeters." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:195 -msgctxt "@info:tooltip" -msgid "The amount of smoothing to apply to the image." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" msgid "Profiles" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:info" -msgid "" -"You will need to restart Cura before your backup is restored. Do you want to " -"close Cura now?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 msgctxt "@title:window" -msgid "Cura Backups" +msgid "Open file(s)" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "version: %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Graphical user interface" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +msgctxt "@label" +msgid "Application framework" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for scientific computing" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling STL files" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling triangular meshes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for file metadata and streaming" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +msgctxt "@label" +msgid "SVG icons" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@title:window" +msgid "Open project file" +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:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" +msgid "Always ask me this" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +msgctxt "@option:discardOrKeep" +msgid "Discard and never ask again" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +msgctxt "@option:discardOrKeep" +msgid "Keep and never ask again" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 +msgctxt "@action:button" +msgid "Discard changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 " +"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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" msgid "Material" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +msgctxt "@action:button" +msgid "Save" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 msgctxt "@label" msgid "Marketplace" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 msgctxt "@label" msgid "Loading available configurations from the printer..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 msgctxt "@label" msgid "" "The configurations are not available because the printer is disconnected." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 +msgctxt "@label" +msgid "Select configuration" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +msgctxt "@label" +msgid "Configurations" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:27 +#: /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] "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 +#: /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] "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 msgctxt "@label" msgid "Number of Copies" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +#: /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:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:365 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:370 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 +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:436 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:448 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:470 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:480 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:630 +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:634 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:644 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 +msgctxt "@label" +msgid "Privacy" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +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:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 +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 "" + +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /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 +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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +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 msgctxt "@label" msgid "Profile" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the " @@ -3528,91 +5213,12 @@ msgid "" "Click to open the profile manager." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +msgctxt "@label:header" +msgid "Custom profiles" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -msgctxt "@label" -msgid "" -"Gradual infill will gradually increase the amount of infill towards the top." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -msgctxt "@tooltip" -msgid "" -"You have modified some profile settings. If you want to change these go to " -"custom mode." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -msgctxt "@label" -msgid "" -"Generate structures to support parts of the model which have overhangs. " -"Without these structures, such parts would collapse during printing." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/trin/Gedeeld/Projects/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')" @@ -3625,1572 +5231,79 @@ msgid_plural "" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:72 -msgctxt "@label" -msgid "End-to-end solution for fused filament 3D printing." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 " -"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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 -msgctxt "@action:button" -msgid "Open as project" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 msgctxt "@button" -msgid "Get started" +msgid "Recommended" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "" -"Ultimaker Cura collects anonymous data to improve print quality and user " -"experience, including:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "" -"Data collected by Ultimaker Cura will not contain any personal information." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 msgctxt "@button" -msgid "Add" +msgid "Custom" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +#: /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:33 msgctxt "@label" -msgid "Could not connect to device." +msgid "Experimental" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" +msgid "Adhesion" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 msgctxt "@label" msgid "" -"This printer cannot be added because it's an unknown printer or it's not the " -"host of a group." +"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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 msgctxt "@label" -msgid "Add a printer" +msgid "Gradual infill" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 -msgctxt "@label" -msgid "What's New" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "" -"Could not import material %1: %2" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "" -"Failed to export material to %1: %2" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 -msgctxt "@title:tab" -msgid "General" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 -msgctxt "@label" -msgid "Interface" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 -msgctxt "@label" -msgid "Currency:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 -msgctxt "@label" -msgid "Theme:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 msgctxt "@label" msgid "" -"You will need to restart the application for these changes to have effect." +"Gradual infill will gradually increase the amount of infill towards the top." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 +msgctxt "@tooltip" +msgid "" +"You have modified some profile settings. If you want to change these go to " +"custom mode." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" -msgid "Viewport behavior" +msgid "Support" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -msgctxt "@info:tooltip" -msgid "" -"Highlight unsupported areas of the model in red. Without support these areas " -"will not print properly." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -msgctxt "@info:tooltip" -msgid "" -"Moves the camera so the model is in the center of the view when a model is " -"selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "" -"Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -msgctxt "@info:tooltip" -msgid "" -"Should models on the platform be moved so that they no longer intersect?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 msgctxt "@label" -msgid "Opening and saving files" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" msgid "" -"Should opening files from the desktop or external applications open in the " -"same instance of Cura?" +"Generate structures to support parts of the model which have overhangs. " +"Without these structures, such parts would collapse during printing." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -msgctxt "@info:tooltip" -msgid "" -"Should a prefix based on the printer name be added to the print job name " -"automatically?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -msgctxt "@window:text" -msgid "" -"Default behavior for changed setting values when switching to a different " -"profile: " -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 -msgctxt "@label:textbox" -msgid "Search settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated " @@ -5199,36 +5312,36 @@ msgid "" "Click to make these settings visible." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 msgctxt "@label" msgid "" "This setting is always shared between all extruders. Changing it here will " "change the value for all extruders." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5236,7 +5349,7 @@ msgid "" "Click to restore the value of the profile." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value " @@ -5245,744 +5358,312 @@ msgid "" "Click to restore the calculated value." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +msgctxt "@action:menu" +msgid "Copy value to all extruders" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:477 +msgctxt "@action:menu" +msgid "Copy all changed values to all extruders" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" +msgid "View type" msgstr "" -#: /mnt/projects/ultimaker/cura/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." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" +msgid "Add printer manually" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 +msgctxt "@label" +msgid "Manufacturer" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 +msgctxt "@label" +msgid "Profile author" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 +msgctxt "@label" +msgid "Printer name" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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:240 +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 "" -"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." +"This printer cannot be added because it's an unknown printer or it's not the " +"host of a group." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 msgctxt "@label" -msgid "Build plate" +msgid "Release Notes" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +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 "" -"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." +"Ultimaker Cura collects anonymous data to improve print quality and user " +"experience, including:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" +#: /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 "" -"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." +"Data collected by Ultimaker Cura will not contain any personal information." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /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 "Printer control" +msgid "Empty" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 msgctxt "@label" -msgid "Jog Position" +msgid "User Agreement" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /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 "X/Y" +msgid "Welcome to Ultimaker Cura" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" msgid "" -"Send a custom G-code command to the connected printer. Press 'enter' to send " -"the command." +"Please follow these steps to set up Ultimaker Cura. This will only take a " +"few moments." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 msgctxt "@label" -msgid "Is printed as support." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 -msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" msgid "What's New" msgstr "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "" -"The cloud connection is currently unavailable. Please check your internet " -"connection." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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] "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -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 "" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "" - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -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/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/VersionUpgrade26to27/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "" - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -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/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "" - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "" - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -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 "" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "" - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "" - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -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 "" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "" - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -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 "" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "" - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -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 "" - -#: 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 "" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF 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 "" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "" - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" +msgid "No items to select from" msgstr "" #: ModelChecker/plugin.json @@ -5997,105 +5678,14 @@ msgctxt "name" msgid "Model Checker" msgstr "" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." +msgid "Provides support for reading 3MF files." msgstr "" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -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 "" - -#: 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 "" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "" - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -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 "" - -#: UFPReader/plugin.json -msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "" - -#: UFPReader/plugin.json -msgctxt "name" -msgid "UFP 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" -msgstr "" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "" - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "" - -#: XRayView/plugin.json -msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "" - -#: XRayView/plugin.json -msgctxt "name" -msgid "X-Ray View" +msgid "3MF Reader" msgstr "" #: 3MFWriter/plugin.json @@ -6108,66 +5698,34 @@ msgctxt "name" msgid "3MF Writer" msgstr "" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." +msgid "Provides support for reading AMF files." msgstr "" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" +msgid "AMF Reader" msgstr "" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." +msgid "Backup and restore your configuration." msgstr "" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" +msgid "Cura Backups" msgstr "" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." +msgid "Provides the link to the CuraEngine slicing backend." msgstr "" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "" - -#: 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 "" - -#: 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 "" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" +msgid "CuraEngine Backend" msgstr "" #: CuraProfileReader/plugin.json @@ -6180,14 +5738,86 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." +msgid "Provides support for exporting Cura profiles." msgstr "" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" +msgid "Cura Profile Writer" +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 "" + +#: DigitalLibrary/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 @@ -6210,12 +5840,448 @@ msgctxt "name" msgid "Image Reader" msgstr "" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." +msgid "Provides support for importing profiles from legacy Cura versions." msgstr "" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" +msgid "Legacy Cura Profile Reader" +msgstr "" + +#: 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." +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" +msgstr "" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "" + +#: RemovableDriveOutputDevice/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 "" + +#: 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" +msgstr "" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "" + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +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 "" + +#: 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 "" + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "" + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "" + +#: VersionUpgrade/VersionUpgrade27to30/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "" + +#: VersionUpgrade/VersionUpgrade27to30/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" +msgstr "" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +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 "" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "" + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "" + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +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 "" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" msgstr "" diff --git a/resources/i18n/de_DE/cura.po b/resources/i18n/de_DE/cura.po index 86b2bcd9d7..931571e60f 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 15:15+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: German , German \n" @@ -17,170 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Geräte werden geladen..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Erstellungen werden eingerichtet ..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Aktives Gerät wird initialisiert ..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Verfügbare vernetzte Drucker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Gerätemanager wird initialisiert ..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nicht überschrieben" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Bauraum wird initialisiert ..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Die Szene wird eingerichtet..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Die Benutzeroberfläche wird geladen..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Funktion wird initialisiert ..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Warnhinweis" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Fehler" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Möchten Sie {0} wirklich entfernen? Der Vorgang kann nicht rückgängig gemacht werden!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Benutzerdefiniertes Material" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Unbekannt" +msgid "Visual" +msgstr "Visuell" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Benutzerdefiniertes Material" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Benutzerdefiniert" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Benutzerdefinierte Profile" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Alle unterstützten Typen ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Alle Dateien (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Visuell" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Login fehlgeschlagen" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Neue Position für Objekte finden" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "Position finden" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Entwurf" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Kann Position nicht finden" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Konnte kein Archiv von Benutzer-Datenverzeichnis {} erstellen" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Verfügbare vernetzte Drucker" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nicht überschrieben" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Produktabmessungen" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura kann nicht starten" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -195,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Absturzbericht an Ultimaker senden" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Detaillierten Absturzbericht anzeigen" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Konfigurationsordner anzeigen" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Backup und Reset der Konfiguration" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Crash-Bericht" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -231,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Systeminformationen" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Unbekannt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura-Version" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura-Sprache" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Sprache des Betriebssystems" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plattform" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt Version" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt Version" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Noch nicht initialisiert
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL-Version: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL-Anbieter: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL-Renderer: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Fehler-Rückverfolgung" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Protokolle" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Bericht senden" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Login fehlgeschlagen" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Geräte werden geladen..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Erstellungen werden eingerichtet ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Aktives Gerät wird initialisiert ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Gerätemanager wird initialisiert ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Bauraum wird initialisiert ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Die Szene wird eingerichtet..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Die Benutzeroberfläche wird geladen..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Funktion wird initialisiert ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Warnhinweis" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Fehler" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Objekte vervielfältigen und platzieren" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Objekte platzieren" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Der Ultimaker-Konto-Server konnte nicht erreicht werden." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "Angegebener Status ist falsch." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Datei bereits vorhanden" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Ungültige Datei-URL:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Düse" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Einstellungen aktualisiert" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder deaktiviert" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil wurde nach {0} exportiert" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Export erfolgreich ausgeführt" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Profil {0} erfolgreich importiert." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Datei {0} enthält kein gültiges Profil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Benutzerdefiniertes Profil" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Für das Profil fehlt eine Qualitätsangabe." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Es ist noch kein Drucker aktiv." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Das Profil kann nicht hinzugefügt werden." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Neue Position für Objekte finden" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Düse" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Position finden" +msgid "Settings updated" +msgstr "Einstellungen aktualisiert" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Kann Position nicht finden" +msgid "Extruder(s) Disabled" +msgstr "Extruder deaktiviert" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Abbrechen" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Gruppe #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Überspringen" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Schließen" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Weiter" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Beenden" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Außenwand" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Innenwände" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Außenhaut" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Füllung" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Stützstruktur-Füllung" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Stützstruktur-Schnittstelle" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Stützstruktur" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Skirt" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Einzugsturm" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Bewegungen" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Einzüge" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Sonstige" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Hinzufügen" +msgid "Next" +msgstr "Weiter" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Abbrechen" +msgid "Skip" +msgstr "Überspringen" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Produktabmessungen" +msgid "3D Model Assistant" +msgstr "3D-Modell-Assistent" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Konnte kein Archiv von Benutzer-Datenverzeichnis {} erstellen" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Objekte vervielfältigen und platzieren" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Objekte platzieren" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Objekt-Platzierung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Speichern auf Wechseldatenträger" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Auf Wechseldatenträger speichern {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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!" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Wird gespeichert" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Auf Wechseldatenträger {0} gespeichert als {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Datei wurde gespeichert" +msgid "Open Project File" +msgstr "Projektdatei öffnen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Auswerfen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Wechseldatenträger auswerfen {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Hardware sicher entfernen" +msgid "Can't Open Project File" +msgstr "Projektdatei kann nicht geöffnet werden" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "Projektdatei {0} ist beschädigt: {1}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Wechseldatenträger" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF-Datei" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura-Projekt 3MF-Datei" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "AMF-Datei" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-Code-Datei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Firmware aktualisieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D-Datei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Ablehnen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Stimme zu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Plugin für Lizenzvereinbarung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Ablehnen und vom Konto entfernen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{} Plugins konnten nicht heruntergeladen werden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchronisierung läuft ..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Von Ihrem Ultimaker-Konto erkannte Änderungen" +msgid "Backups" +msgstr "Backups" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Beim Versuch, Ihr Backup hochzuladen, trat ein Fehler auf." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Ihr Backup wird erstellt..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchronisieren" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Beim Erstellen Ihres Backups ist ein Fehler aufgetreten." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Einstellungen pro Objekt" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Ihr Backup wird hochgeladen..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Pro Objekteinstellungen konfigurieren" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Ihr Backup wurde erfolgreich hochgeladen." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Nachbearbeitung" +msgid "Manage backups" +msgstr "Backups verwalten" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-Code ändern" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Slicing nicht möglich" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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)." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -895,75 +923,465 @@ msgstr "" "- Einem aktiven Extruder zugewiesen sind\n" "- Nicht alle als Modifier Meshes eingerichtet sind" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Informationen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB-Drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Über USB drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Über USB drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Über USB verbunden" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Druck in Bearbeitung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Anschluss über Netzwerk" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Zugriff auf Update-Informationen nicht möglich." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "Für Ihren {machine_name} sind eventuell neue Funktionen oder Fehlerbereinigungen verfügbar! Falls Sie nicht bereits die aktuellste Version verwenden, empfehlen wir Ihnen, ein Firmware-Update Ihres Druckers auf Version {latest_version} auszuführen." + +#: /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 firmware available" +msgstr "Neue Firmware für %s verfügbar" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Wird gespeichert" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Datei wurde gespeichert" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Auswerfen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Wechseldatenträger auswerfen {0}" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Hardware sicher entfernen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Simulationsansicht" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Keine anzeigbaren Schichten vorhanden" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Mehr erfahren" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/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 Format Package" + +#: /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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Druckbett nivellieren" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Upgrades wählen" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Über Cloud drucken" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -971,70 +1389,71 @@ msgid_plural "... and {0} others" msgstr[0] "... und {0} weiterer" msgstr[1] "... und {0} weitere" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Drucker aus Digital Factory hinzugefügt:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Druckerkonfigurationen speichern" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Drucker entfernen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Drucker entfernen?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1050,1542 +1469,768 @@ 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Über Cloud drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Über Cloud drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Über Cloud verbunden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "Unbekannter Fehlercode beim Upload des Druckauftrags: {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "morgen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "heute" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Druckauftrag senden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Druckauftrag wird vorbereitet." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Nicht Host-Drucker der Gruppe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Gruppe konfigurieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Druckaufträge mithilfe Ihres Ultimaker-Kontos von einem anderen Ort aus senden und überwachen." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Mit der Ultimaker Digital Factory verbinden" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Erste Schritte" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Bitte warten Sie, bis der aktuelle Druckauftrag gesendet wurde." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Druckfehler" +msgid "Update your printer" +msgstr "Drucker aktualisieren" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Netzwerkfehler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Warteschlange voll" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Daten gesendet" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Drucker aktualisieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Drücken über Netzwerk" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 msgctxt "@info:status" msgid "Connected over the network" msgstr "Über Netzwerk verbunden" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Upgrades wählen" +msgid "Connect via Network" +msgstr "Anschluss über Netzwerk" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Druckbett nivellieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Empfohlen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Projektdatei öffnen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Projektdatei kann nicht geöffnet werden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF-Datei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Komprimierte G-Code-Datei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeWriter unterstützt keinen Textmodus." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "3D-Modell-Assistent" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "morgen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Zugriff auf Update-Informationen nicht möglich." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "Für Ihren {machine_name} sind eventuell neue Funktionen oder Fehlerbereinigungen verfügbar! Falls Sie nicht bereits die aktuellste Version verwenden, empfehlen wir Ihnen, ein Firmware-Update Ihres Druckers auf Version {latest_version} auszuführen." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Neue Firmware für %s verfügbar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Anleitung für die Aktualisierung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G-Datei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-Code parsen" +msgid "today" +msgstr "heute" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-Code-Details" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB-Drucken" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Über USB drucken" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Stützstruktur-Blocker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Erstellt ein Volumen, in dem keine Stützstrukturen gedruckt werden." +msgid "Print via USB" +msgstr "Über USB drucken" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Über USB verbunden" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Druck in Bearbeitung" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "X3D-Datei" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Format Package" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04-Profile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Vorbereiten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Überwachen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Röntgen-Ansicht" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Fehler beim Schreiben von 3MF-Datei." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF-Datei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura-Projekt 3MF-Datei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Das 3MF-Writer-Plugin ist beschädigt." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Keine Erlaubnis zum Beschreiben dieses Arbeitsbereichs." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Vorschau" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Schichtenansicht" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Simulationsansicht" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Keine anzeigbaren Schichten vorhanden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Diese Meldung nicht mehr anzeigen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Geräteeinstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Solide Ansicht" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Modellfehler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Mehr erfahren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Kann nicht in UFP-Datei schreiben:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Vor dem Exportieren bitte G-Code vorbereiten." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG-Bilddatei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG-Bilddatei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG-Bilddatei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP-Bilddatei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF-Bilddatei" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Beim Versuch, Ihr Backup wiederherzustellen, trat ein Fehler auf." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Backups" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Beim Versuch, Ihr Backup hochzuladen, trat ein Fehler auf." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Ihr Backup wird erstellt..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Beim Erstellen Ihres Backups ist ein Fehler aufgetreten." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Ihr Backup wird hochgeladen..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Ihr Backup wurde erfolgreich hochgeladen." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Das Backup überschreitet die maximale Dateigröße." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Backups verwalten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Firmware aktualisieren" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Firmware automatisch aktualisieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Benutzerdefinierte Firmware hochladen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Benutzerdefinierte Firmware wählen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Firmware-Aktualisierung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Die Firmware wird aktualisiert." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Firmware-Aktualisierung abgeschlossen." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Marktplatz" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Änderungen in deinem Konto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Verwerfen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Weiter" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Deinstallieren bestätigen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materialien" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Bestätigen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Community-Beiträge" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Community-Plugins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Generische Materialien" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Version" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Zuletzt aktualisiert" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marke" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Downloads" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Installierte Plugins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Es wurde kein Plugin installiert." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Installierte Materialien" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Es wurde kein Material installiert." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Gebündelte Plugins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Gebündelte Materialien" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Website" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-Mail" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Anmelden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Pakete werden abgeholt..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Kompatibilität" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Gerät" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Druckbett" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Support" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualität" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technisches Datenblatt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Sicherheitsdatenblatt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Druckrichtlinien" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Website" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plugins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materialien" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Installiert" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Zum Web Marketplace gehen" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Installiert nach Neustart" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Aktualisierung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aktualisierung wird durchgeführt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Aktualisiert" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgraden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Deinstallieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Installiert" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Materialien suchen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "%1 beenden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Zurück" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Mesh-Typ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normales Modell" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Als Stützstruktur drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Einstellungen für Überlappungen ändern" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Überlappungen nicht unterstützen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Nur Mesh-Füllung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Mesh beschneiden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Einstellungen wählen" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtern..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Alle anzeigen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plugin Nachbearbeitung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Skripts Nachbearbeitung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Ein Skript hinzufügen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Einstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Aktive Nachbearbeitungsskripts ändern." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "In Warteschlange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Im Browser verwalten" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Druckaufträge" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Druckdauer insgesamt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Warten auf" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Konfigurationsänderungen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Überschreiben" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Glas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Drucker nicht verfügbar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Zuerst verfügbar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Anschluss an vernetzten Drucker" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Bearbeiten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Entfernen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Aktualisieren" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Typ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Firmware-Version" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adresse" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Verbinden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Ungültige IP-Adresse" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Bitte eine gültige IP-Adresse eingeben." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Druckeradresse" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Drucken über Netzwerk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Druckerauswahl" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Vorziehen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Löschen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Zurückkehren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Wird pausiert..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Wird fortgesetzt..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausieren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Wird abgebrochen..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Abbrechen" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Druckauftrag vorziehen" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Druckauftrag löschen" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Drucken abbrechen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Abgebrochen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Beendet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Vorbereitung..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Wird abgebrochen..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Wird pausiert..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Pausiert" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Wird fortgesetzt..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Handlung erforderlich" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Fertigstellung %1 auf %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Drucker verwalten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Lädt..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Nicht verfügbar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Nicht erreichbar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Leerlauf" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Drucken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Unbenannt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonym" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Erfordert Konfigurationsänderungen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Details" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Beheizte Druckplatte (offizielles Kit oder Eigenbau)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivellierung der Druckplatte" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Nivellierung der Druckplatte starten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Gehe zur nächsten Position" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Projekt öffnen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Vorhandenes aktualisieren" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Neu erstellen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Zusammenfassung – Cura-Projekt" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Druckereinstellungen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Typ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Druckergruppe" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Profileinstellungen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Name" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Nicht im Profil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 überschreiben" msgstr[1] "%1 überschreibt" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Ableitung von" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Materialeinstellungen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Sichtbarkeit einstellen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modus" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Sichtbare Einstellungen:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 von %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Das Laden eines Projekts entfernt alle Modelle von der Druckplatte." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Öffnen" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Möchten Sie mehr?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Backup löschen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Backup wiederherstellen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura-Backups" + +#: /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:199 +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 +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/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 "Die mit neuen Druckern gelieferte Firmware funktioniert, allerdings enthalten neue Versionen üblicherweise mehr Funktionen und Verbesserungen." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Firmware automatisch aktualisieren" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Benutzerdefinierte Firmware hochladen" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Bild konvertieren..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Höhe (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Basis (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Breite (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Tiefe (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Dunkler ist höher" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Transparenz" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "1 mm Durchlässigkeit (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Drucker" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Düseneinstellungen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Düsengröße" + +#: /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" +msgstr "Kompatibler Materialdurchmesser" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "X-Versatz Düse" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Y-Versatz Düse" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Kühllüfter-Nr." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "G-Code Extruder-Start" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Breite)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Tiefe)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Höhe)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Druckbettform" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Ausgang in Mitte" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Heizbares Bett" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Druckraum aufgeheizt" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-Code-Variante" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Druckkopfeinstellungen" + +#: /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 "Brückenhöhe" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Anzahl Extruder" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Extruder-Versatzwerte auf GCode anwenden" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Start G-Code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Ende G-Code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2597,1364 +2242,971 @@ 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Benutzerhandbücher online anzeigen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Nur Mesh-Füllung" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Mesh beschneiden" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Einstellungen wählen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Weitere Informationen zur anonymen Datenerfassung" +msgid "Select Settings to Customize for this model" +msgstr "Einstellungen für die benutzerdefinierte Anpassung dieses Modells wählen" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtern..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Alle anzeigen" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Plugin Nachbearbeitung" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Aktive Nachbearbeitungsskripts ändern." + +#: /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] "Die folgenden Skript ist aktiv:" +msgstr[1] "Die folgenden Skripte sind aktiv:" + +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Materialfarbe" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Linientyp" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Geschwindigkeit" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Schichtdicke" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Linienbreite" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Kompatibilitätsmodus" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Bewegungen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Helfer" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Gehäuse" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Startet" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Nur obere Schichten anzeigen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Oben/Unten" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Innenwand" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "max." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Düseneinstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Düsengröße" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Kompatibler Materialdurchmesser" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "X-Versatz Düse" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Y-Versatz Düse" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Kühllüfter-Nr." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "G-Code Extruder-Start" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "G-Code Extruder-Ende" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Drucker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Druckereinstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Breite)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Tiefe)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Höhe)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Druckbettform" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Ausgang in Mitte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Heizbares Bett" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Druckraum aufgeheizt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "G-Code-Variante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Druckkopfeinstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Brückenhöhe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Anzahl Extruder" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Extruder-Versatzwerte auf GCode anwenden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Start G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Ende G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Bild konvertieren..." +msgid "More information on anonymous data collection" +msgstr "Weitere Informationen zur anonymen Datenerfassung" -#: /mnt/projects/ultimaker/cura/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“." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Höhe (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Basis (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Breite (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Tiefe (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Dunkler ist höher" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Heller ist höher" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Linear" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Transparenz" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "1 mm Durchlässigkeit (%)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Glättung" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Meine Backups" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Möchten Sie mehr?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Jetzt Backup durchführen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Automatisches Backup" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura-Version" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Maschinen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materialien" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plugins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Wiederherstellen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Backup löschen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Backup wiederherstellen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura-Backups" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoriten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Generisch" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Datei" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Projekt speichern ..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportieren..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Auswahl exportieren..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "&Zuletzt geöffnet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Konfiguration wählen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfigurationen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfigurationen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Drucker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Aktiviert" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Für diese Materialkombination Kleber für eine bessere Haftung verwenden." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marktplatz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Verfügbare Konfigurationen werden von diesem Drucker geladen..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Ansicht" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Kameraposition" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Kameraansicht" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Ansicht" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Orthogonal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Druckplatte" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Netzwerkfähige Drucker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Lokale Drucker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Sichtbare Einstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Alle Kategorien schließen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Sichtbarkeit einstellen verwalten..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Einstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Dr&ucker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Als aktiven Extruder festlegen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Extruder aktivieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Extruder deaktivieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Projekt speichern..." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Anzahl Kopien" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Datei(en) öffnen..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Benutzerdefinierte Profile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Aktuelle Änderungen verwerfen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Einige Einstellungs-/Überschreibungswerte unterscheiden sich von den im Profil gespeicherten Werten.\n" -"\n" -"Klicken Sie, um den Profilmanager zu öffnen." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Ein" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Aus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Experimentell" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Empfohlen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Druckeinstellungen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Stufenweise Füllung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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“." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Stützstruktur" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Haftung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "Keine auswählbaren Einträge" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Aktiver Druck" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Name des Auftrags" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Druckzeit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Geschätzte verbleibende Zeit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Änderungen verwerfen oder übernehmen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"Sie haben einige Profileinstellungen personalisiert.\n" -"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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Profileinstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Aktuelle Änderungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Stets nachfragen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Verwerfen und zukünftig nicht mehr nachfragen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Übernehmen und zukünftig nicht mehr nachfragen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Änderungen verwerfen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Änderungen speichern" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "Über %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "Version: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 wurde von Ultimaker B.V. in Zusammenarbeit mit der Community entwickelt.\n" -"Cura verwendet mit Stolz die folgenden Open Source-Projekte:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Grafische Benutzerschnittstelle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Anwendungsrahmenwerk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "G-Code-Generator" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Bibliothek Interprozess-Kommunikation" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Programmiersprache" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI-Rahmenwerk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUI-Rahmenwerk Einbindungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C/C++ Einbindungsbibliothek" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Format Datenaustausch" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Support-Bibliothek für wissenschaftliche Berechnung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Support-Bibliothek für schnelleres Rechnen" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Bibliothek für serielle Kommunikation" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Bibliothek für ZeroConf-Erkennung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Bibliothek für Polygon-Beschneidung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Statischer Prüfer für Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Python-Fehlerverfolgungs-Bibliothek" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Python-Bindungen für libnest2d" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Python-Erweiterungen für Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Schriftart" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG-Symbole" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Distributionsunabhängiges Format für Linux-Anwendungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Datei(en) öffnen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Alle als Modelle importieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Projekt speichern" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Projektzusammenfassung beim Speichern nicht erneut anzeigen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Speichern" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Projektdatei öffnen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "Ich möchte keine anonymen Daten senden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Meine Auswahl merken" +msgid "Allow sending anonymous data" +msgstr "Senden von anonymen Daten erlauben" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Als Projekt öffnen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Modelle importieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Unbenannt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Willkommen bei Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Erste Schritte" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Leer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Helfen Sie uns, Ultimaker Cura zu verbessern" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Gerätetypen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Materialverbrauch" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Anzahl der Slices" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Druckeinstellungen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Mehr Informationen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Drucker nach IP-Adresse hinzufügen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Hinzufügen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Verbindung mit Drucker nicht möglich." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Zurück" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Zum Web Marketplace gehen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Materialien suchen" + +#: /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:457 +#: /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 +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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Installierte Materialien" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Gebündelte Plugins" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Nivellierung der Druckplatte starten" + +#: /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/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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Anschluss an vernetzten Drucker" + +#: /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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Einen Drucker hinzufügen" +msgid "Enter the IP address of your printer on the network." +msgstr "Geben Sie die IP-Adresse Ihres Druckers in das Netzwerk ein." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Einen vernetzten Drucker hinzufügen" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Einen unvernetzten Drucker hinzufügen" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "Neuheiten" +msgid "Change material %1 from %2 to %3." +msgstr "Material %1 von %2 auf %3 wechseln." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Einen Cloud-Drucker hinzufügen" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "%3 als Material %1 laden (Dies kann nicht übergangen werden)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Auf eine Antwort von der Cloud warten" +msgid "Change print core %1 from %2 to %3." +msgstr "Print Core %1 von %2 auf %3 wechseln." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Keine Drucker in Ihrem Konto gefunden?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Druckplatte auf %1 wechseln (Dies kann nicht übergangen werden)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 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:" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Drucker manuell hinzufügen" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Drucken über Netzwerk" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Drucken" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Kostenloses Ultimaker-Konto erstellen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Überspringen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Benutzervereinbarung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Ablehnen und schließen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Versionshinweise" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Aktualisieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Drucker nach IP hinzufügen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Ein Cloud-Drucker hinzufügen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Störungen beheben" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Hersteller" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor des Profils" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Druckername" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Bitte weisen Sie Ihrem Drucker einen Namen zu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Letztes Update: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker‑Konto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Abmelden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3965,935 +3217,1921 @@ msgstr "" "- Materialprofile und Plug-ins sichern und synchronisieren\n" "- Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 msgctxt "@button" msgid "Create a free Ultimaker account" msgstr "Kostenloses Ultimaker-Konto erstellen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Anmelden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "Überprüfung läuft ..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Konto wurde synchronisiert" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Irgendetwas ist schief gelaufen ..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Ausstehende Updates installieren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Objektliste" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Letztes Update: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker‑Konto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Das Slicing läuft..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Slicing nicht möglich" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Verarbeitung läuft" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Slice" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Slicing-Vorgang starten" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Umschalten auf Vollbild-Modus" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Vollbildmodus beenden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "&Rückgängig machen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&Wiederholen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "&Beenden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "3D-Ansicht" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Vorderansicht" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Draufsicht" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Ansicht von links" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Ansicht von rechts" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Cura konfigurieren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "&Drucker hinzufügen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Dr&ucker verwalten..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Materialien werden verwaltet..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Weiteres Material aus Marketplace hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "&Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "&Aktuelle Änderungen verwerfen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "P&rofil von aktuellen Einstellungen/Überschreibungen erstellen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Profile verwalten..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Online-&Dokumentation anzeigen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "&Fehler melden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Neuheiten" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "Über..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Ausgewählte löschen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Ausgewählte zentrieren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Ausgewählte vervielfachen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Modell löschen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "Modell auf Druckplatte ze&ntrieren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "Modelle &gruppieren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Gruppierung für Modelle aufheben" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "Modelle &zusammenführen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "Modell &multiplizieren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Alle Modelle wählen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Druckplatte reinigen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Alle Modelle neu laden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "Alle Modelle an allen Druckplatten anordnen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Alle Modelle anordnen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Anordnung auswählen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Alle Modellpositionen zurücksetzen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Alle Modelltransformationen zurücksetzen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "&Datei(en) öffnen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&Neues Projekt..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Konfigurationsordner anzeigen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Sichtbarkeit einstellen wird konfiguriert..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&Marktplatz" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Berechnet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Einstellung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Aktuell" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Einheit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informationen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Änderung Durchmesser bestätigen" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Namen anzeigen" +msgid "This package will be installed after restarting." +msgstr "Dieses Paket wird nach einem Neustart installiert." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Materialtyp" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Farbe" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Eigenschaften" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Dichte" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Durchmesser" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Filamentkosten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Filamentgewicht" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Filamentlänge" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Kosten pro Meter" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Material trennen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Beschreibung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Haftungsinformationen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Erstellen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplizieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Import" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Export" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Drucker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Entfernen bestätigen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Material importieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Material wurde erfolgreich importiert %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Material exportieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Material erfolgreich nach %1 exportiert" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Drucker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Umbenennen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Erstellen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplizieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profil erstellen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profil duplizieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profil umbenennen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profil importieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profil exportieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Drucker: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Globale Einstellungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Sichtbarkeit einstellen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Alle prüfen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "Allgemein" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Einstellungen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Drucker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profile" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 wird geschlossen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Möchten Sie %1 wirklich beenden?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +msgctxt "@title:window" +msgid "Open file(s)" +msgstr "Datei(en) öffnen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Paket installieren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Datei(en) öffnen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Drucker hinzufügen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Neuheiten" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "Schnittstelle" +msgid "version: %1" +msgstr "Version: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "Währung:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "Komplettlösung für den 3D-Druck mit geschmolzenem Filament." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 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 msgctxt "@label" -msgid "Theme:" -msgstr "Thema:" +msgid "Graphical user interface" +msgstr "Grafische Benutzerschnittstelle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 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." +msgid "Application framework" +msgstr "Anwendungsrahmenwerk" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Bei Änderung der Einstellungen automatisch schneiden." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatisch schneiden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "Viewport-Verhalten" +msgid "G-code generator" +msgstr "G-Code-Generator" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "Bibliothek Interprozess-Kommunikation" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Überhang anzeigen" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "Programmiersprache" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUI-Rahmenwerk" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Modellfehler anzeigen" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUI-Rahmenwerk Einbindungen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "C/C++ Einbindungsbibliothek" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Bibliothek für serielle Kommunikation" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Bibliothek für Polygon-Beschneidung" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Python Error tracking library" +msgstr "Python-Fehlerverfolgungs-Bibliothek" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Python bindings for libnest2d" +msgstr "Python-Bindungen für libnest2d" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Schriftart" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Projektdatei öffnen" + +#: /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 "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/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 msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Zentrieren Sie die Kamera, wenn das Element ausgewählt wurde" +msgid "Open as project" +msgstr "Als Projekt öffnen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Soll das standardmäßige Zoom-Verhalten von Cura umgekehrt werden?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Kehren Sie die Richtung des Kamera-Zooms um." +msgid "Import models" +msgstr "Modelle importieren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Änderungen verwerfen oder übernehmen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"Sie haben einige Profileinstellungen personalisiert.\n" +"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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "In Mausrichtung zoomen" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Profileinstellungen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Aktuelle Änderungen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Stellen Sie sicher, dass die Modelle getrennt gehalten werden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Setzt Modelle automatisch auf der Druckplatte ab" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Warnmeldung im G-Code-Reader anzeigen." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Warnmeldung in G-Code-Reader" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Soll die Schicht in den Kompatibilitätsmodus gezwungen werden?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Schichtenansicht Kompatibilitätsmodus erzwingen (Neustart erforderlich)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Fensterposition beim Start wiederherstellen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Welches Kamera-Rendering sollte verwendet werden?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Kamera-Rendering:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Ansicht" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Orthogonal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Dateien öffnen und speichern" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Eine einzelne Instanz von Cura verwenden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Große Modelle anpassen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Extrem kleine Modelle skalieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Sollten Modelle gewählt werden, nachdem sie geladen wurden?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Modelle wählen, nachdem sie geladen wurden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Geräte-Präfix zu Auftragsnamen hinzufügen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Soll beim Speichern einer Projektdatei eine Zusammenfassung angezeigt werden?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Dialog Zusammenfassung beim Speichern eines Projekts anzeigen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Standardverhalten beim Öffnen einer Projektdatei" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Standardverhalten beim Öffnen einer Projektdatei: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Stets nachfragen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Immer als Projekt öffnen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Modelle immer importieren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Geänderte Einstellungen immer verwerfen" +msgid "Discard and never ask again" +msgstr "Verwerfen und zukünftig nicht mehr nachfragen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Geänderte Einstellungen immer auf neues Profil übertragen" +msgid "Keep and never ask again" +msgstr "Übernehmen und zukünftig nicht mehr nachfragen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Privatsphäre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Soll Cura bei Programmstart nach Updates suchen?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Bei Start nach Updates suchen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(Anonyme) Druckinformationen senden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "Mehr Informationen" +msgid "Discard changes" +msgstr "Änderungen verwerfen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Änderungen speichern" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Alle als Modelle importieren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Projekt speichern" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & Material" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Speichern" + +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Er&weiterungen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "&Konfiguration" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Hilfe" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Neues Projekt" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "Typ anzeigen" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Konfiguration wählen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Es wird gedruckt..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "Pausiert" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Vorbereitung läuft..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "Bitte den Ausdruck entfernen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Drucken abbrechen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Wird als Stückstruktur gedruckt." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Schnittstelle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Währung:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Thema:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatisch schneiden" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Viewport-Verhalten" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Überhang anzeigen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Modellfehler anzeigen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "In Mausrichtung zoomen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Fensterposition beim Start wiederherstellen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Kamera-Rendering:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Ansicht" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Orthogonal" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Dateien öffnen und speichern" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +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:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Große Modelle anpassen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Extrem kleine Modelle skalieren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +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:605 +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:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Stets nachfragen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Immer als Projekt öffnen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Modelle immer importieren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Geänderte Einstellungen immer verwerfen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Privatsphäre" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(Anonyme) Druckinformationen senden" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Mehr Informationen" + +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Drucker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Material importieren" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Material exportieren" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Einstellungen durchsuchen" +msgid "Check all" +msgstr "Alle prüfen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Werte für alle Extruder kopieren" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extruder" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Diese Einstellung ausblenden" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Diese Einstellung ausblenden" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Diese Einstellung weiterhin anzeigen" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Drucker hinzufügen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Aktiver Druck" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Druckzeit" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Profil" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Einige Einstellungs-/Überschreibungswerte unterscheiden sich von den im Profil gespeicherten Werten.\n" +"\n" +"Klicken Sie, um den Profilmanager zu öffnen." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimentell" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Stufenweise Füllung" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Stützstruktur" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4904,32 +5142,32 @@ msgstr "" "\n" "Klicken Sie, um diese Einstellungen sichtbar zu machen." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Hat Einfluss auf" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Wird beeinflusst von" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Diese Einstellung wird durch gegensätzliche, extruderspezifische Werte gelöst:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4940,7 +5178,7 @@ msgstr "" "\n" "Klicken Sie, um den Wert des Profils wiederherzustellen." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4951,714 +5189,308 @@ msgstr "" "\n" "Klicken Sie, um den berechneten Wert wiederherzustellen." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Einstellungen durchsuchen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Diese Einstellung ausblenden" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Diese Einstellung ausblenden" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Vorderansicht" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Draufsicht" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Ansicht von links" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Ansicht von rechts" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extruder" +msgid "View type" +msgstr "Typ anzeigen" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Einen Cloud-Drucker hinzufügen" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Auf eine Antwort von der Cloud warten" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Keine Drucker in Ihrem Konto gefunden?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Abbrechen" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Vorheizen" +msgid "Add printer manually" +msgstr "Drucker manuell hinzufügen" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Das Material in diesem Extruder." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Die in diesem Extruder eingesetzte Düse." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Druckbett" +msgid "Manufacturer" +msgstr "Hersteller" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Die aktuelle Temperatur des beheizten Betts." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Druckersteuerung" +msgid "Profile author" +msgstr "Autor des Profils" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Tippposition" +msgid "Printer name" +msgstr "Druckername" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Einen Drucker hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Einen vernetzten Drucker hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Tippdistanz" +msgid "Add a non-networked printer" +msgstr "Einen unvernetzten Drucker hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "G-Code senden" +msgid "There is no printer found over your network." +msgstr "Kein Drucker in Ihrem Netzwerk gefunden." -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Der Drucker ist nicht verbunden." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "Wird als Stückstruktur gedruckt." +msgid "Refresh" +msgstr "Aktualisieren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Andere Modelle, die sich mit diesem Modell überschneiden, werden angepasst." +msgid "Add printer by IP" +msgstr "Drucker nach IP hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Überlappende Füllung wird bei diesem Modell angepasst." +msgid "Add cloud printer" +msgstr "Ein Cloud-Drucker hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Überlappungen mit diesem Modell werden nicht unterstützt." +msgid "Troubleshooting" +msgstr "Störungen beheben" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marktplatz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Bearbeiten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Er&weiterungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "E&instellungen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Hilfe" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Neues Projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Dieses Paket wird nach einem Neustart installiert." +msgid "Add printer by IP address" +msgstr "Drucker nach IP-Adresse hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Einstellungen" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 wird geschlossen" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Hinzufügen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Möchten Sie %1 wirklich beenden?" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Paket installieren" +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Datei(en) öffnen" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Drucker hinzufügen" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Zurück" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Kostenloses Ultimaker-Konto erstellen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Überspringen" + +#: /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." +msgstr "" +"Befolgen Sie bitte diese Schritte für das Einrichten von\n" +"Ultimaker Cura. Dies dauert nur wenige Sekunden." + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "Neuheiten" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Drucker hinzufügen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Drucker verwalten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Verbundene Drucker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Voreingestellte Drucker" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Zeitschätzung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Materialschätzung" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Das Slicing läuft..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Slicing nicht möglich" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Verarbeitung läuft" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Slice" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Slicing-Vorgang starten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Abbrechen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Keine Zeitschätzung verfügbar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Keine Kostenschätzung verfügbar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Vorschau" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Ermöglicht Hotplugging des Wechseldatenträgers und Beschreiben." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Ausgabegerät-Plugin für Wechseldatenträger" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Aktualisiert Konfigurationen von Cura 4.2 auf Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Upgrade von Version 4.2 auf 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Upgrade von Version 2.6 auf 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Aktualisiert Konfigurationen von Cura 2.5 auf Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Upgrade von Version 2.5 auf 2.6" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Upgrade von Version 2.1 auf 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Aktualisiert Konfigurationen von Cura 4.3 auf Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Upgrade von Version 4.3 auf 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Aktualisiert Konfigurationen von Cura 3.4 auf Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Upgrade von Version 3.4 auf 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Upgrade von Version 2.7 auf 3.0" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Bietet Unterstützung für das Lesen von X3D-Dateien." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3D-Reader" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Ermöglicht die Einstellungen pro Objekt." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Werkzeug „Einstellungen pro Objekt“" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Akzeptiert den G-Code und sendet diesen an einen Drucker. Das Plugin kann auch die Firmware aktualisieren." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB-Drucken" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" +msgid "No items to select from" +msgstr "Keine auswählbaren Einträge" #: ModelChecker/plugin.json msgctxt "description" @@ -5670,105 +5502,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Modell-Prüfer" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Nach Firmware-Updates suchen." +msgid "Provides support for reading 3MF files." +msgstr "Ermöglicht das Lesen von 3MF-Dateien." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Firmware-Update-Prüfer" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Erstellt ein Radierernetz, um den Druck von Stützstrukturen in bestimmten Positionen zu blockieren" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Stützstruktur-Radierer" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Bietet eine Vorbereitungsstufe in Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Vorbereitungsstufe" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "3MF-Reader" #: 3MFWriter/plugin.json msgctxt "description" @@ -5780,65 +5522,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF-Writer" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "Ermöglicht das Lesen von AMF-Dateien." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Slice-Informationen" +msgid "AMF Reader" +msgstr "AMF-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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Ermöglicht die Simulationsansicht." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Stellt die Verbindung zum Slicing-Backend der CuraEngine her." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Simulationsansicht" - -#: 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" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "CuraEngine Backend" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5850,15 +5562,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Cura-Profil-Reader" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Bietet Unterstützung für das Schreiben von Ultimaker Format Packages." +msgid "Provides support for exporting Cura profiles." +msgstr "Ermöglicht das Exportieren von Cura-Profilen." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UFP-Writer" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -5880,15 +5662,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Bild-Reader" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Sicherung und Wiederherstellen Ihrer Konfiguration." +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." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura-Backups" +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." +msgstr "Ermöglicht die Einstellungen pro Objekt." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Werkzeug „Einstellungen pro Objekt“" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Bietet eine Vorbereitungsstufe in Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Vorbereitungsstufe" + +#: 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" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Ermöglicht Hotplugging des Wechseldatenträgers und Beschreiben." + +#: RemovableDriveOutputDevice/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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Erstellt ein Radierernetz, um den Druck von Stützstrukturen in bestimmten Positionen zu blockieren" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Stützstruktur-Radierer" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Bietet Unterstützung für das Schreiben von Ultimaker Format Packages." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UFP-Writer" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Akzeptiert den G-Code und sendet diesen an einen Drucker. Das Plugin kann auch die Firmware aktualisieren." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB-Drucken" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Upgrade von Version 2.1 auf 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Aktualisiert Konfigurationen von Cura 2.5 auf Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Upgrade von Version 2.5 auf 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Upgrade von Version 2.6 auf 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Aktualisiert Konfigurationen von Cura 3.4 auf Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "Upgrade von Version 3.4 auf 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Aktualisiert Konfigurationen von Cura 4.2 auf Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Upgrade von Version 4.2 auf 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Aktualisiert Konfigurationen von Cura 4.3 auf Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Bietet Unterstützung für das Lesen von X3D-Dateien." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D-Reader" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." @@ -6727,8 +6939,7 @@ msgstr "Cura-Backups" #~ "\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 972425d36a..a0cc8d19be 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 2ef2ceaf82..379a069420 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:16+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: German , German \n" @@ -3200,8 +3200,8 @@ msgstr "Max. Kammentfernung ohne Einziehen" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Bei Nicht-Null verwenden die Combing-Fahrbewegungen, die länger als die Distanz sind, die Einziehfunktion." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6401,6 +6401,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Bei Nicht-Null verwenden die Combing-Fahrbewegungen, die länger als die Distanz sind, die Einziehfunktion." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Verwenden Sie den Extruder-Versatz für das Koordinatensystem." diff --git a/resources/i18n/es_ES/cura.po b/resources/i18n/es_ES/cura.po index 89a507a91f..983dea8dad 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 15:15+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: \n" @@ -17,169 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Cargando máquinas..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Configurando preferencias...." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Iniciando la máquina activa..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Impresoras en red disponibles" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Iniciando el administrador de la máquina..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "No reemplazado" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Iniciando el volumen de impresión..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Configurando escena..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Cargando interfaz..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Iniciando el motor..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Advertencia" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Error" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "¿Seguro que desea eliminar {0}? ¡Esta acción no se puede deshacer!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Material personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Desconocido" +msgid "Visual" +msgstr "Visual" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Material personalizado" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizado" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Perfiles personalizados" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Todos los tipos compatibles ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Todos los archivos (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Visual" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Fallo de inicio de sesión" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Buscando nueva ubicación para los objetos" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "Buscando ubicación" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Boceto" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "No se puede encontrar la ubicación" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +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: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Copia de seguridad" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Impresoras en red disponibles" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "No reemplazado" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volumen de impresión" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura no puede iniciarse" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -194,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Enviar informe de errores a Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Mostrar informe de errores detallado" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostrar carpeta de configuración" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Realizar copia de seguridad y restablecer configuración" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Informe del accidente" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -230,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Información del sistema" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Desconocido" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versión de Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Idioma de Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Idioma del sistema operativo" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plataforma" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versión Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versión PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Aún no se ha inicializado
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versión de OpenGL: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Proveedor de OpenGL: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Representador de OpenGL: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Rastreabilidad de errores" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Registros" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Enviar informe" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Fallo de inicio de sesión" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Cargando máquinas..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Configurando preferencias...." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Iniciando la máquina activa..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Iniciando el administrador de la máquina..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Iniciando el volumen de impresión..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Configurando escena..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Cargando interfaz..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Iniciando el motor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Advertencia" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Error" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplicar y colocar objetos" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Colocando objetos" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "No se puede acceder al servidor de cuentas de Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "El archivo ya existe" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL del archivo no válida:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Tobera" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ajustes actualizados" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrusores deshabilitados" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Perfil exportado a {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Exportación correcta" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Perfil {0} importado correctamente." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Perfil personalizado" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Al perfil le falta un tipo de calidad." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Todavía no hay ninguna impresora activa." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "No se puede añadir el perfil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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}'." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "No compatible" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Buscando nueva ubicación para los objetos" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Tobera" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Buscando ubicación" +msgid "Settings updated" +msgstr "Ajustes actualizados" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "No se puede encontrar la ubicación" +msgid "Extruder(s) Disabled" +msgstr "Extrusores deshabilitados" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "N.º de grupo {group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Omitir" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Cerrar" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Siguiente" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Finalizar" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Pared exterior" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Paredes interiores" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Forro" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Relleno" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Relleno de soporte" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Interfaz de soporte" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Soporte" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Falda" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Torre auxiliar" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Desplazamiento" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Retracciones" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Otro" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Agregar" +msgid "Next" +msgstr "Siguiente" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Cancelar" +msgid "Skip" +msgstr "Omitir" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volumen de impresión" +msgid "3D Model Assistant" +msgstr "Asistente del modelo 3D" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -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: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Copia de seguridad" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplicar y colocar objetos" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Colocando objetos" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Colocando objeto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Guardar en unidad extraíble" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Guardar en unidad extraíble {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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!" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Guardando" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Guardado en unidad extraíble {0} como {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Archivo guardado" +msgid "Open Project File" +msgstr "Abrir archivo de proyecto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Expulsar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Expulsar dispositivo extraíble {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Retirar de forma segura el hardware" +msgid "Can't Open Project File" +msgstr "No se puede abrir el archivo de proyecto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Unidad extraíble" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Archivo 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Archivo 3MF del proyecto de Cura" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "Archivo AMF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Archivo GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Actualizar firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Archivo X3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Rechazar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Estoy de acuerdo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Acuerdo de licencia de complemento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Rechazar y eliminar de la cuenta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "Error al descargar los complementos {}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Sincronizando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Se han detectado cambios desde su cuenta de Ultimaker" +msgid "Backups" +msgstr "Copias de seguridad" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +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." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Creando copia de seguridad..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizar" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Ajustes por modelo" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Cargando su copia de seguridad..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Su copia de seguridad ha terminado de cargarse." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Posprocesamiento" +msgid "Manage backups" +msgstr "Administrar copias de seguridad" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modificar GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "No se puede segmentar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -894,75 +923,465 @@ msgstr "" "- Están asignados a un extrusor activado\n" " - No están todos definidos como mallas modificadoras" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Información" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impresión USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimir mediante USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimir mediante USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Conectado mediante USB" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impresión en curso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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 "Perfil de cura" -#: /mnt/projects/ultimaker/cura/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/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "No se pudo acceder a la información actualizada." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, 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 tiene 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 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s firmware available" +msgstr "Nuevo firmware de %s disponible" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Guardando" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Archivo guardado" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Expulsar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Retirar de forma segura el hardware" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Vista de simulación" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "No hay capas para mostrar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Más información" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/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 binario" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF incrustado 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 comprimido" + +#: /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/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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivelar placa de impresión" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Seleccionar actualizaciones" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Imprimir mediante cloud" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -970,70 +1389,71 @@ msgid_plural "... and {0} others" msgstr[0] "... y {0} más" msgstr[1] "... y {0} más" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Impresoras añadidas desde Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Mantener las configuraciones de la impresora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Eliminar impresoras" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "¿Eliminar impresoras?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1049,1537 +1469,768 @@ msgstr[1] "" "Está a punto de eliminar {0} impresoras de Cura. Esta acción no se puede deshacer.\n" "¿Seguro que desea continuar?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Imprimir mediante cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Imprimir mediante cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Conectado mediante cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "mañana" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "hoy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Enviando trabajo de impresión" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "No es un host de grupo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurar grupo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Envíe y supervise sus trabajos de impresión desde cualquier lugar a través de su cuenta de Ultimaker." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Conectar con Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Empezar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Espere hasta que se envíe el trabajo actual." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Error de impresión" +msgid "Update your printer" +msgstr "Actualice su impresora" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Error de red" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Cola llena" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Fecha de envío" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Actualice su impresora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Seleccionar actualizaciones" +msgid "Connect via Network" +msgstr "Conectar a través de la red" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Nivelar placa de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recomendado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Abrir archivo de proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "No se puede abrir el archivo de proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Archivo 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Archivo GCode comprimido" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Asistente del modelo 3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "mañana" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "No se pudo acceder a la información actualizada." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, 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 tiene la última versión disponible, se recomienda actualizar el firmware de la impresora a la versión {latest_version}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Nuevo firmware de %s disponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Cómo actualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Archivo G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Analizar GCode" +msgid "today" +msgstr "hoy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Datos de GCode" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impresión USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimir mediante USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Bloqueador de soporte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Cree un volumen que no imprima los soportes." +msgid "Print via USB" +msgstr "Imprimir mediante USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Conectado mediante USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impresión en curso" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "Archivo X3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF binario" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF incrustado JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange comprimido" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Paquete de formato Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Perfiles de Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Preparar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Supervisar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Vista de rayos X" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Error al escribir el archivo 3MF." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Archivo 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Archivo 3MF del proyecto de Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/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í." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Vista previa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Vista de capas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Vista de simulación" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "No se muestra nada porque primero hay que cortar." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "No hay capas para mostrar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "No volver a mostrar este mensaje" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Ajustes de la máquina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Vista de sólidos" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Errores de modelo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Más información" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "No se puede escribir en el archivo UFP:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Imagen JPG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Imagen JPEG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Imagen PNG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Imagen BMP" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Imagen GIF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Copias de seguridad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Creando copia de seguridad..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Cargando su copia de seguridad..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Su copia de seguridad ha terminado de cargarse." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Administrar copias de seguridad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Actualizar firmware" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Actualización de firmware automática" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Cargar firmware personalizado" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Seleccionar firmware personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Actualización del firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Actualización del firmware." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Actualización del firmware completada." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Marketplace" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Cambios desde su cuenta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Descartar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Siguiente" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirmar desinstalación" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiales" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Perfiles" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmar" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contribuciones de la comunidad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Complementos de la comunidad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiales genéricos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Última actualización" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marca" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Descargas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Complementos instalados" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiales instalados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "No se ha instalado ningún material." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Complementos agrupados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiales agrupados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Sitio web" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Correo electrónico" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Iniciar sesión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Buscando paquetes..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilidad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Máquina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Placa de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Soporte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Calidad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Especificaciones técnicas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Especificaciones de seguridad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Directrices de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Sitio web" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Complementos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiales" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Instalado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ir a Web Marketplace" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Se instalará después de reiniciar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Actualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Actualizando" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Actualizado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Degradar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Desinstalar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Instalado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Prémium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Buscar materiales" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Salir de %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Atrás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instalar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo de malla" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modelo normal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimir como soporte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificar los ajustes de las superposiciones" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "No es compatible con superposiciones" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Solo malla de relleno" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Cortar malla" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Seleccionar ajustes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Seleccionar ajustes o personalizar este modelo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mostrar todo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Complemento de posprocesamiento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Secuencias de comandos de posprocesamiento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Añadir secuencia de comando" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Ajustes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Cambiar las secuencias de comandos de posprocesamiento." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "En cola" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gestionar en el navegador" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Trabajos de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tiempo de impresión total" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Esperando" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Cambios de configuración" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Anular" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Vidrio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Impresora no disponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primera disponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Conectar con la impresora en red" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Editar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Eliminar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Actualizar" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versión de firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Dirección" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Conectar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Dirección IP no válida" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Introduzca una dirección IP válida." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Dirección de la impresora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "Aceptar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimir a través de la red" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Selección de la impresora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Mover al principio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Borrar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Reanudar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pausando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Reanudando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Cancelando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Cancelar" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Borrar trabajo de impresión" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Cancela la impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Cancelado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Terminado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Preparando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Cancelando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pausando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "En pausa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Reanudando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Acción requerida" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Termina el %1 a las %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Administrar impresora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Cargando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "No disponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "No se puede conectar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Sin actividad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Imprimiendo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sin título" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anónimo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Debe cambiar la configuración" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detalles" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivelación de la placa de impresión" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Iniciar nivelación de la placa de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Mover a la siguiente posición" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Abrir proyecto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Actualizar existente" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Crear nuevo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Resumen: proyecto de Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Ajustes de la impresora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupo de impresoras" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Ajustes del perfil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Nombre" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "No está en el perfil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 sobrescrito" msgstr[1] "%1 sobrescritos" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivado de" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Ajustes del material" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilidad de los ajustes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Ajustes visibles:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 de un total de %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Si carga un proyecto, se borrarán todos los modelos de la placa de impresión." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Abrir" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "¿Desea obtener más información?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Eliminar copia de seguridad" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Restaurar copia de seguridad" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Copias de seguridad de Cura" + +#: /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:199 +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 +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/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 "El firmware que se envía con las nuevas impresoras funciona, pero las nuevas versiones suelen tener más funciones y mejoras." + +#: /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/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Cargar firmware personalizado" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Convertir imagen..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Altura (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Base (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Anchura (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Profundidad (mm)" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Translucidez" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "Transmitancia de 1 mm (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "Aceptar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Impresora" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Ajustes de la tobera" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Tamaño de la tobera" + +#: /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" +msgstr "Diámetro del material compatible" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Desplazamiento de la tobera sobre el eje X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Desplazamiento de la tobera sobre el eje Y" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Número de ventilador de enfriamiento" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "GCode inicial del extrusor" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (anchura)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (profundidad)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (altura)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma de la placa de impresión" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origen en el centro" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Plataforma calentada" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volumen de impresión calentado" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Tipo de GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Ajustes del cabezal de impresión" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X mín." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y mín." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X máx." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y máx." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Altura del puente" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Número de extrusores" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplicar compensaciones del extrusor a GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Iniciar GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Finalizar GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2592,1364 +2243,971 @@ msgstr "" "- Compruebe que la impresora está conectada a la red.\n" "- Compruebe que ha iniciado sesión para ver impresoras conectadas a la nube." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Conecte su impresora a la red." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Solo malla de relleno" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Cortar malla" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Seleccionar ajustes" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Más información sobre la recopilación de datos anónimos" +msgid "Select Settings to Customize for this model" +msgstr "Seleccionar ajustes o personalizar este modelo" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrar..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mostrar todo" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Complemento de posprocesamiento" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Cambiar las secuencias de comandos de posprocesamiento." + +#: /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] "La siguiente secuencia de comandos está activa:" +msgstr[1] "Las siguientes secuencias de comandos están activas:" + +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Color del material" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Tipo de línea" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Velocidad" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Grosor de la capa" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Ancho de línea" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Modo de compatibilidad" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Desplazamientos" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Asistentes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Perímetro" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Inicios" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Mostrar solo capas superiores" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Superior o inferior" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Pared interior" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "mín." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "máx." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Ajustes de la tobera" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Tamaño de la tobera" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diámetro del material compatible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Desplazamiento de la tobera sobre el eje X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Desplazamiento de la tobera sobre el eje Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Número de ventilador de enfriamiento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "GCode inicial del extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "GCode final del extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Impresora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Ajustes de la impresora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (anchura)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (profundidad)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (altura)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma de la placa de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Origen en el centro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Plataforma calentada" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Volumen de impresión calentado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Tipo de GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Ajustes del cabezal de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X mín." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y mín." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X máx." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y máx." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Altura del puente" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Número de extrusores" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplicar compensaciones del extrusor a GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Iniciar GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Finalizar GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Convertir imagen..." +msgid "More information on anonymous data collection" +msgstr "Más información sobre la recopilación de datos anónimos" -#: /mnt/projects/ultimaker/cura/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\"." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Altura (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Base (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Anchura (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Profundidad (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Cuanto más oscuro más alto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Cuanto más claro más alto" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Lineal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Translucidez" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "Transmitancia de 1 mm (%)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Suavizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Mis copias de seguridad" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "¿Desea obtener más información?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Realizar copia de seguridad ahora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Copia de seguridad automática" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versión de Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Máquinas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiales" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Perfiles" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Complementos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Eliminar copia de seguridad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurar copia de seguridad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Copias de seguridad de Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoritos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genérico" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Archivo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Guardar proyecto..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportar..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exportar selección..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Abrir &reciente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Seleccionar configuración" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Configuraciones" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configuraciones" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Impresora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Habilitado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Cargando configuraciones disponibles desde la impresora..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Ver" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Posición de la cámara" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Vista de cámara" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspectiva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortográfica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "P&laca de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Impresoras de red habilitadas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Impresoras locales" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Ajustes visibles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Contraer todas las categorías" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gestionar visibilidad de los ajustes..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "A&justes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Impresora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Definir como extrusor activo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Habilitar extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Deshabilitar extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Guardar proyecto..." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Número de copias" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Abrir archivo(s)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Perfiles personalizados" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Descartar cambios actuales" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Perfil" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Algunos valores de los ajustes o sobrescrituras son distintos a los valores almacenados en el perfil.\n" -"\n" -"Haga clic para abrir el administrador de perfiles." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Encendido" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Apagado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Experimental" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recomendado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Ajustes de impresión" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Relleno gradual" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Perfiles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Soporte" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Adherencia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "No hay elementos para seleccionar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Activar impresión" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Nombre del trabajo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Tiempo de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Tiempo restante estimado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Descartar o guardar cambios" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"Ha personalizado algunos ajustes del perfil.\n" -"¿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'." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Ajustes del perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Cambios actuales" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Preguntar siempre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Descartar y no volver a preguntar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Guardar y no volver a preguntar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Descartar los cambios" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Mantener los cambios" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "Acerca de %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "versión: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 "" -"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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Interfaz gráfica de usuario (GUI)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Entorno de la aplicación" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Generador de GCode" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Biblioteca de comunicación entre procesos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Lenguaje de programación" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "Entorno de la GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Enlaces del entorno de la GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Biblioteca de enlaces C/C++" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Formato de intercambio de datos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Biblioteca de apoyo para cálculos científicos" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "Biblioteca de apoyo para gestionar archivos STL" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Biblioteca de comunicación en serie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Biblioteca de detección para Zeroconf" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Biblioteca de recorte de polígonos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Comprobador de tipo estático para Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Biblioteca de seguimiento de errores de Python" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Enlaces de Python para libnest2d" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Extensiones Python para Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Fuente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Iconos SVG" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Abrir archivo(s)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importar todos como modelos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Guardar proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extrusor %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 y material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "No mostrar resumen de proyecto al guardar de nuevo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Guardar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Abrir archivo de proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "No deseo enviar datos anónimos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Recordar mi selección" +msgid "Allow sending anonymous data" +msgstr "Permitir el envío de datos anónimos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Abrir como proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Importar modelos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Sin título" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Le damos la bienvenida a Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Empezar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vacío" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ayúdenos a mejorar Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipos de máquina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Uso de material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Número de segmentos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Ajustes de impresión" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Más información" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Agregar impresora por dirección IP" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Agregar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "No se ha podido conectar al dispositivo." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Atrás" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ir a Web Marketplace" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Buscar materiales" + +#: /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:457 +#: /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 +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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiales instalados" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Complementos agrupados" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Conectar con la impresora en red" + +#: /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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Agregar una impresora" +msgid "Enter the IP address of your printer on the network." +msgstr "Introduzca la dirección IP de la impresora en la red." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Agregar una impresora en red" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Agregar una impresora fuera de red" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "Novedades" +msgid "Change material %1 from %2 to %3." +msgstr "Cambiar material %1, de %2 a %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Añadir una impresora a la nube" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Cargar %3 como material %1 (no se puede anular)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Esperando la respuesta de la nube" +msgid "Change print core %1 from %2 to %3." +msgstr "Cambiar print core %1, de %2 a %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "¿No se han encontrado impresoras en su cuenta?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Cambiar la placa de impresión a %1 (no se puede anular)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 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:" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Añadir impresora manualmente" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +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:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimir" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Cree una cuenta gratuita de Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Omitir" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Acuerdo de usuario" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rechazar y cerrar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notas de la versión" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Actualizar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Agregar impresora por IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Añadir impresora a la nube" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Solución de problemas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor del perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Nombre de la impresora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Asigne un nombre a su impresora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Última actualización: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Cuenta de Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Cerrar sesión" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3960,935 +3218,1921 @@ msgstr "" "- 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Iniciar sesión" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "Comprobando..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Cuenta sincronizada" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Se ha producido un error..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Instalar actualizaciones pendientes" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "Buscar actualizaciones de la cuenta" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista de objetos" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Última actualización: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Cuenta de Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Segmentando..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "No se puede segmentar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Procesando" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Segmentación" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Iniciar el proceso de segmentación" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Alternar pantalla completa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Salir de modo de pantalla completa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "Des&hacer" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&Rehacer" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "&Salir" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "Vista en 3D" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Vista frontal" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Vista superior" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Vista del lado izquierdo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Vista del lado derecho" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Configurar Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "&Agregar impresora..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Adm&inistrar impresoras ..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Administrar materiales..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Añadir más materiales de Marketplace" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "&Actualizar perfil con ajustes o sobrescrituras actuales" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "&Descartar cambios actuales" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "&Crear perfil a partir de ajustes o sobrescrituras actuales..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Administrar perfiles..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Mostrar &documentación en línea" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "Informar de un &error" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Novedades" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "Acerca de..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Eliminar selección" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Centrar selección" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Multiplicar selección" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Eliminar modelo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "Ce&ntrar modelo en plataforma" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "A&grupar modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Desagrupar modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "Co&mbinar modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "&Multiplicar modelo..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Seleccionar todos los modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Borrar placa de impresión" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Recargar todos los modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Organizar todos los modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Organizar selección" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Restablecer las posiciones de todos los modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Restablecer las transformaciones de todos los modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "&Abrir archivo(s)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&Nuevo proyecto..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Mostrar carpeta de configuración" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Configurar visibilidad de los ajustes..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&Marketplace" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ajustes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Actual" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unidad" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Información" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmar cambio de diámetro" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Mostrar nombre" +msgid "This package will be installed after restarting." +msgstr "Este paquete se instalará después de reiniciar." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo de material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Color" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propiedades" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densidad" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diámetro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Coste del filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso del filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Longitud del filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Coste por metro" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Desvincular material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descripción" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Información sobre adherencia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Activar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Crear" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplicado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exportar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Impresora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmar eliminación" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importar material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "El material se ha importado correctamente en %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportar material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "El material se ha exportado correctamente a %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Impresoras" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Cambiar nombre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Perfiles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Crear" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplicado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Crear perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Introduzca un nombre para este perfil." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplicar perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Cambiar nombre de perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importar perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportar perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Impresora: %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Ajustes globales" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilidad de los ajustes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Comprobar todo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "General" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ajustes" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Impresoras" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Perfiles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Cerrando %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "¿Seguro que desea salir de %1?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +msgctxt "@title:window" +msgid "Open file(s)" +msgstr "Abrir archivo(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instalar paquete" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Abrir archivo(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Agregar impresora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Novedades" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "Interfaz" +msgid "version: %1" +msgstr "versión: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "Moneda:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "Solución completa para la impresión 3D de filamento fundido." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 "" +"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 msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" +msgid "Graphical user interface" +msgstr "Interfaz gráfica de usuario (GUI)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 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." +msgid "Application framework" +msgstr "Entorno de la aplicación" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Segmentar automáticamente al cambiar los ajustes." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Segmentar automáticamente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportamiento de la ventanilla" +msgid "G-code generator" +msgstr "Generador de GCode" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "Biblioteca de comunicación entre procesos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Mostrar voladizos" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "Lenguaje de programación" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "Entorno de la GUI" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Mostrar errores de modelo" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Enlaces del entorno de la GUI" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "Biblioteca de enlaces C/C++" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Biblioteca de comunicación en serie" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Biblioteca de recorte de polígonos" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +msgctxt "@label" +msgid "Python bindings for libnest2d" +msgstr "Enlaces de Python para libnest2d" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Fuente" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Abrir archivo de proyecto" + +#: /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 "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/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 msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centrar cámara cuando se selecciona elemento" +msgid "Open as project" +msgstr "Abrir como proyecto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Invertir la dirección del zoom de la cámara." +msgid "Import models" +msgstr "Importar modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Descartar o guardar cambios" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"Ha personalizado algunos ajustes del perfil.\n" +"¿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'." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Ajustes del perfil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Cambios actuales" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Asegúrese de que los modelos están separados" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Arrastrar modelos a la placa de impresión de forma automática" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Se muestra el mensaje de advertencia en el lector de GCode." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Mensaje de advertencia en el lector de GCode" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "¿Debe forzarse el modo de compatibilidad de la capa?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Forzar modo de compatibilidad de la vista de capas (necesario reiniciar)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "¿Debería abrirse Cura en el lugar donde se cerró?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Restaurar la posición de la ventana al inicio" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "¿Qué tipo de renderizado de cámara debería usarse?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Renderizado de cámara:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Perspectiva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Ortográfica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Abrir y guardar archivos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Utilizar una sola instancia de Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Escalar modelos de gran tamaño" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Escalar modelos demasiado pequeños" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "¿Se deberían seleccionar los modelos después de haberse cargado?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Seleccionar modelos al abrirlos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Agregar prefijo de la máquina al nombre del trabajo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "¿Mostrar un resumen al guardar un archivo de proyecto?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Mostrar un cuadro de diálogo de resumen al guardar el proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportamiento predeterminado al abrir un archivo del proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportamiento predeterminado al abrir un archivo del proyecto: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Preguntar siempre" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Abrir siempre como un proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Importar modelos siempre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Descartar siempre los ajustes modificados" +msgid "Discard and never ask again" +msgstr "Descartar y no volver a preguntar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Transferir siempre los ajustes modificados al nuevo perfil" +msgid "Keep and never ask again" +msgstr "Guardar y no volver a preguntar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacidad" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "¿Debe Cura buscar actualizaciones cuando se abre el programa?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Buscar actualizaciones al iniciar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Enviar información (anónima) de impresión" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "Más información" +msgid "Discard changes" +msgstr "Descartar los cambios" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Mantener los cambios" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Importar todos como modelos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Guardar proyecto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extrusor %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 y material" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Guardar" + +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensiones" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Pre&ferencias" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "A&yuda" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Nuevo proyecto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "Ver tipo" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Seleccionar configuración" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Imprimiendo..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "En pausa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Preparando..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "Retire la impresión" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Cancelar impresión" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Se imprime como soporte." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Interfaz" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Moneda:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Segmentar automáticamente" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportamiento de la ventanilla" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Mostrar voladizos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Mostrar errores de modelo" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Renderizado de cámara:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspectiva" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Ortográfica" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Abrir y guardar archivos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +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:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Escalar modelos de gran tamaño" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Escalar modelos demasiado pequeños" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +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:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Seleccionar modelos al abrirlos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Preguntar siempre" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +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:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Importar modelos siempre" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Descartar siempre los ajustes modificados" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacidad" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Buscar actualizaciones al iniciar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +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:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Más informació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 "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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Impresora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importar material" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportar material" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Buscar ajustes" +msgid "Check all" +msgstr "Comprobar todo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Copiar valor en todos los extrusores" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrusor" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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á." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Ocultar este ajuste" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "No mostrar este ajuste" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Mostrar este ajuste" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Agregar impresora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Activar impresión" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Tiempo de impresión" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Perfil" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Algunos valores de los ajustes o sobrescrituras son distintos a los valores almacenados en el perfil.\n" +"\n" +"Haga clic para abrir el administrador de perfiles." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimental" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Relleno gradual" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Soporte" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4899,32 +5143,32 @@ msgstr "" "\n" "Haga clic para mostrar estos ajustes." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Afecta a" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Afectado por" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4935,7 +5179,7 @@ msgstr "" "\n" "Haga clic para restaurar el valor del perfil." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4946,714 +5190,308 @@ msgstr "" "\n" "Haga clic para restaurar el valor calculado." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Buscar ajustes" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Ocultar este ajuste" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "No mostrar este ajuste" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Vista frontal" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Vista superior" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Vista del lado izquierdo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Vista del lado derecho" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extrusor" +msgid "View type" +msgstr "Ver tipo" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Añadir una impresora a la nube" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Esperando la respuesta de la nube" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "¿No se han encontrado impresoras en su cuenta?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Cancelar" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Precalentar" +msgid "Add printer manually" +msgstr "Añadir impresora manualmente" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Material en este extrusor." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Tobera insertada en este extrusor." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Placa de impresión" +msgid "Manufacturer" +msgstr "Fabricante" -#: /mnt/projects/ultimaker/cura/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á." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Temperatura actual de la plataforma caliente." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Control de impresoras" +msgid "Profile author" +msgstr "Autor del perfil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Posición de desplazamiento" +msgid "Printer name" +msgstr "Nombre de la impresora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Agregar una impresora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Agregar una impresora en red" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Distancia de desplazamiento" +msgid "Add a non-networked printer" +msgstr "Agregar una impresora fuera de red" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "Enviar GCode" +msgid "There is no printer found over your network." +msgstr "No se ha encontrado ninguna impresora en su red." -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "La impresora no está conectada." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "Se imprime como soporte." +msgid "Refresh" +msgstr "Actualizar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Se han modificado otros modelos que se superponen con este modelo." +msgid "Add printer by IP" +msgstr "Agregar impresora por IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Se ha modificado la superposición del relleno con este modelo." +msgid "Add cloud printer" +msgstr "Añadir impresora a la nube" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "No se admiten superposiciones con este modelo." +msgid "Troubleshooting" +msgstr "Solución de problemas" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Edición" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensiones" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Pre&ferencias" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "A&yuda" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Nuevo proyecto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Este paquete se instalará después de reiniciar." +msgid "Add printer by IP address" +msgstr "Agregar impresora por dirección IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ajustes" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Cerrando %1" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Agregar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "¿Seguro que desea salir de %1?" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instalar paquete" +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Abrir archivo(s)" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Agregar impresora" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Atrás" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Cree una cuenta gratuita de Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Omitir" + +#: /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." +msgstr "" +"Siga estos pasos para configurar\n" +"Ultimaker Cura. Solo le llevará unos minutos." + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "Novedades" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Agregar impresora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Administrar impresoras" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Impresoras conectadas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Impresoras preconfiguradas" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimación de tiempos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimación de material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Segmentando..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "No se puede segmentar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Procesando" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Segmentación" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Iniciar el proceso de segmentación" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Cancelar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Ningún cálculo de tiempo disponible" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Ningún cálculo de costes disponible" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Vista previa" - -#: RemovableDriveOutputDevice/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." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Complemento de dispositivo de salida de unidad extraíble" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Actualiza la configuración de Cura 4.2 a Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Actualización de la versión 4.2 a la 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/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" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Actualiza la configuración de Cura 2.5 a Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Actualización de la versión 2.5 a la 2.6" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/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" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Actualiza la configuración de Cura 4.3 a Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Actualización de la versión 4.3 a la 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Actualiza las configuraciones de Cura 3.4 a Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Actualización de la versión 3.4 a la 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/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" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Proporciona asistencia para leer archivos X3D." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Lector de X3D" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Proporciona los ajustes por modelo." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Herramienta de ajustes por modelo" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Acepta GCode y lo envía a una impresora. El complemento también puede actualizar el firmware." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "Impresión USB" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" +msgid "No items to select from" +msgstr "No hay elementos para seleccionar" #: ModelChecker/plugin.json msgctxt "description" @@ -5665,105 +5503,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Comprobador de modelos" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Busca actualizaciones de firmware." +msgid "Provides support for reading 3MF files." +msgstr "Proporciona asistencia para leer archivos 3MF." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Buscador de actualizaciones de firmware" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Crea una malla de borrado que impide la impresión de soportes en determinados lugares" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Borrador de soporte" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Proporciona una fase de preparación en Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Fase de preparación" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "Lector de 3MF" #: 3MFWriter/plugin.json msgctxt "description" @@ -5775,65 +5523,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "Escritor de 3MF" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "Proporciona asistencia para leer archivos AMF." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Info de la segmentación" +msgid "AMF Reader" +msgstr "Lector de AMF" -#: 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Abre la vista de simulación." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Proporciona el vínculo para el backend de segmentación de CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Vista de simulación" - -#: 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" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "Backend de CuraEngine" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5845,15 +5563,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Lector de perfiles de Cura" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Permite la escritura de paquetes de formato Ultimaker." +msgid "Provides support for exporting Cura profiles." +msgstr "Proporciona asistencia para exportar perfiles de Cura." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "Escritor de UFP" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -5875,15 +5663,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Lector de imágenes" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Realice una copia de seguridad de su configuración y restáurela." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Proporciona asistencia para la importación de perfiles de versiones anteriores de Cura." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Copias de seguridad de Cura" +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." +msgstr "Proporciona los ajustes por modelo." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Herramienta de ajustes por modelo" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Proporciona una fase de preparación en Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Fase de preparación" + +#: 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" + +#: RemovableDriveOutputDevice/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." + +#: RemovableDriveOutputDevice/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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Crea una malla de borrado que impide la impresión de soportes en determinados lugares" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Borrador de soporte" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Permite la escritura de paquetes de formato Ultimaker." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Escritor de UFP" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Acepta GCode y lo envía a una impresora. El complemento también puede actualizar el firmware." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "Impresión USB" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/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" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Actualiza la configuración de Cura 2.5 a Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +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 +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." + +#: VersionUpgrade/VersionUpgrade26to27/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" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Actualiza las configuraciones de Cura 3.4 a Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +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 +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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Actualiza la configuración de Cura 4.2 a Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Actualización de la versión 4.2 a la 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Actualiza la configuración de Cura 4.3 a Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Proporciona asistencia para leer archivos X3D." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Lector de X3D" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/es_ES/fdmextruder.def.json.po b/resources/i18n/es_ES/fdmextruder.def.json.po index ada6f688e6..c9d4b0a656 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 ece07a04e6..a12430cf6c 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:15+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Spanish , Spanish \n" @@ -3200,8 +3200,8 @@ msgstr "Distancia de peinada máxima sin retracción" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Si no es cero, los movimientos de desplazamiento de peinada que sean superiores a esta distancia utilizarán retracción." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6401,6 +6401,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Si no es cero, los movimientos de desplazamiento de peinada que sean superiores a esta distancia utilizarán retracción." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Aplicar el desplazamiento del extrusor al sistema de coordenadas." diff --git a/resources/i18n/fdmextruder.def.json.pot b/resources/i18n/fdmextruder.def.json.pot index 7d41511e0b..cdbf81ab6b 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: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 e87da5b620..085e7e837f 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: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE\n" @@ -3656,8 +3656,9 @@ msgstr "" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" msgid "" -"When non-zero, combing travel moves that are longer than this distance will " -"use retraction." +"When greater than zero, combing travel moves that are longer than this " +"distance will use retraction. If set to zero, there is no maximum and " +"combing moves will not use retraction." msgstr "" #: fdmprinter.def.json diff --git a/resources/i18n/fi_FI/cura.po b/resources/i18n/fi_FI/cura.po index c4dcbb7a62..d8aaa50cbf 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2017-09-27 12:27+0200\n" "Last-Translator: Bothof \n" "Language-Team: Finnish\n" @@ -15,188 +15,180 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Ladataan laitteita..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Asetetaan näkymää..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Ladataan käyttöliittymää..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Varoitus" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Virhe" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Mukautettu materiaali" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Mukautettu" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Tuntematon" +msgid "Visual" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Mukautettu materiaali" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Mukautettu" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Mukautetut profiilit" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +#: /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 "Uusien paikkojen etsiminen kappaleille" + +#: /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 "Etsitään paikkaa" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Paikkaa ei löydy" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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." +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" msgstr "" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Tulostustilavuus" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -206,32 +198,32 @@ msgid "" " " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Kaatumisraportti" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -239,697 +231,672 @@ msgid "" " " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Ladataan laitteita..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Asetetaan näkymää..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Ladataan käyttöliittymää..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Varoitus" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Virhe" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Kappaleiden kertominen ja sijoittelu" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 msgctxt "@message" msgid "Please give the required permissions when authorizing this application." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +msgctxt "@info" +msgid "Unable to reach the Ultimaker account server." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Tiedosto on jo olemassa" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Suutin" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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ä." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profiili viety tiedostoon {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Mukautettu profiili" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Profiilista puuttuu laatutyyppi." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Uusien paikkojen etsiminen kappaleille" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Suutin" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Etsitään paikkaa" +msgid "Settings updated" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "Kaikille kappaleille ei löydy paikkaa tulostustilavuudessa." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Paikkaa ei löydy" +msgid "Extruder(s) Disabled" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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" +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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Peruuta" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Sulje" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Ulkoseinämä" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Sisäseinämät" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Pintakalvo" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Täyttö" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Tuen täyttö" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Tukiliittymä" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Tuki" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Helma" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Siirtoliike" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Takaisinvedot" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Muu" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Lisää" +msgid "Next" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Peruuta" +msgid "Skip" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Tulostustilavuus" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" +msgid "3D Model Assistant" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Kappaleiden kertominen ja sijoittelu" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Sijoitetaan kappaletta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Tallenna siirrettävälle asemalle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Tallenna siirrettävälle asemalle {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 msgctxt "@info:status" -msgid "There are no file formats available to write with!" +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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Tallennetaan" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Tallennettu siirrettävälle asemalle {0} nimellä {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Tiedosto tallennettu" +msgid "Open Project File" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Poista" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Poista siirrettävä asema {0}" +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Poistettu {0}. Voit nyt poistaa aseman turvallisesti." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Poista laite turvallisesti" +msgid "Can't Open Project File" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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ä." +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Siirrettävä asema" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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." +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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF-tiedosto" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura-projektin 3MF-tiedosto" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "GCode-tiedosto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D-tiedosto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Lisäosan lisenssisopimus" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" +msgid "Backups" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Mallikohtaiset asetukset" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" +msgid "Manage backups" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Viipalointi ei onnistu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -938,77 +905,465 @@ msgid "" "- Are not all set as modifier meshes" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Tiedot" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB-tulostus" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Tulosta USB:n kautta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Tulosta USB:n kautta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Yhdistetty USB:n kautta" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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-profiili" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Yhdistä verkon kautta" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Päivitystietoja ei löytynyt." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, 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 firmware available" +msgstr "Uusi tulostimen %s laiteohjelmisto saatavilla" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Tallennetaan" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Tiedosto tallennettu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Poista" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Poista laite turvallisesti" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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:93 +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:89 +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:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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 "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Tasaa alusta" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Valitse päivitykset" + +#: /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:270 +#, 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:227 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1016,71 +1371,71 @@ msgid_plural "... and {0} others" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1092,1588 +1447,768 @@ msgid_plural "" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" +msgid "Update your printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 msgctxt "@info:title" msgid "Sending materials to printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Tulosta verkon kautta" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 msgctxt "@info:status" msgid "Connected over the network" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Valitse päivitykset" +msgid "Connect via Network" +msgstr "Yhdistä verkon kautta" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Tasaa alusta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Suositeltu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Mukautettu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF-tiedosto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Päivitystietoja ei löytynyt." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Uusi tulostimen %s laiteohjelmisto saatavilla" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G File -tiedosto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-coden jäsennys" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-coden tiedot" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" +msgid "today" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /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 "Create a volume in which supports are not printed." +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 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" msgstr "" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "" +msgid "X3D File" +msgstr "X3D-tiedosto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 -profiilit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Kerrosnäkymä" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF-tiedosto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura-projektin 3MF-tiedosto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Kerrosnäkymä" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Laitteen asetukset" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Kiinteä näkymä" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG-kuva" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG-kuva" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG-kuva" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP-kuva" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF-kuva" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Päivitä laiteohjelmisto automaattisesti" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Lataa mukautettu laiteohjelmisto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Valitse mukautettu laiteohjelmisto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Laiteohjelmiston päivitys" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Päivitetään laiteohjelmistoa." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Laiteohjelmiston päivitys suoritettu." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Merkki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiaalit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" +msgid "Some things could be problematic in this print. Click to see tips for adjustment." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Asennettu" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Valitse asetukset" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Suodatin..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Näytä kaikki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Jälkikäsittelylisäosa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Jälkikäsittelykomentosarjat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Lisää komentosarja" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Asetukset" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Jonossa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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] "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Yhdistä verkkotulostimeen" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Muokkaa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Poista" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Päivitä" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tyyppi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Laiteohjelmistoversio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Osoite" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Yhdistä" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Tulostimen osoite" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Tulosta verkon kautta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Tulosta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Keskeytä tulostus" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Valmis" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Vaatii toimenpiteitä" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Tulostetaan" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Alustan tasaaminen" - -#: /mnt/projects/ultimaker/cura/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ää." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Aloita alustan tasaaminen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Siirry seuraavaan positioon" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Avaa projekti" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Yhteenveto – Cura-projekti" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Tulostimen asetukset" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Tyyppi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Profiilin asetukset" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Nimi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Ei profiilissa" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 ohitus" msgstr[1] "%1 ohitusta" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Johdettu seuraavista" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Materiaaliasetukset" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Asetusten näkyvyys" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Tila" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Näkyvät asetukset:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1/%2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Avaa" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +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 "" + +#: /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:199 +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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Muunna kuva..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Korkeus (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Pohja (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Leveys (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Syvyys (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Tummempi on korkeampi" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Tulostin" + +#: /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 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Suuttimen koko" + +#: /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" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +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" +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 "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" +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 "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" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Suulakkeiden määrä" + +#: /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" @@ -2682,709 +2217,2802 @@ msgid "" "- Check if you are signed in to discover cloud-connected printers." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Valitse asetukset" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" +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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." msgstr "" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "" +msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Materiaalin väri" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Linjojen tyyppi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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ö" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Näytä vain yläkerrokset" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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ä" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Yläosa/alaosa" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Sisäseinämä" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Suuttimen koko" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Suuttimen X-siirtymä" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Suuttimen Y-siirtymä" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Tulostin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (leveys)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (syvyys)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (korkeus)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Alustan muoto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X väh." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y väh." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X enint." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y enint." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Suulakkeiden määrä" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Muunna kuva..." +msgid "More information on anonymous data collection" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /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 "Height (mm)" -msgstr "Korkeus (mm)" +msgid "Technical Data Sheet" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:56 -msgctxt "@info:tooltip" -msgid "The base height from the build plate in millimeters." -msgstr "Pohjan korkeus alustasta millimetreinä." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Pohja (mm)" +msgid "Safety Data Sheet" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "Leveys millimetreinä alustalla." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Leveys (mm)" +msgid "Printing Guidelines" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "Syvyys millimetreinä alustalla" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Syvyys (mm)" +msgid "Website" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /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 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." +msgid "Go to Web Marketplace" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Tummempi on korkeampi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Vaaleampi on korkeampi" - -#: /mnt/projects/ultimaker/cura/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." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" +#: /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 "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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ä." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Tasoitus" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" msgid "Plugins" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:457 +#: /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 +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 "Restore" +msgid "Dismiss" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" +#: /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:178 +msgctxt "@button" +msgid "Next" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 +msgctxt "@label" +msgid "The following packages will be added:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 msgctxt "@title:window" -msgid "Cura Backups" +msgid "Confirm uninstall" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" +#: /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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Aloita alustan tasaaminen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Siirry seuraavaan positioon" + +#: /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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Yhdistä verkkotulostimeen" + +#: /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/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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Tulosta verkon kautta" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Tulosta" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Viipaloidaan..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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:125 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Lopeta" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Määritä Curan asetukset..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "L&isää tulostin..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Tulostinten &hallinta..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Hallitse materiaaleja..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 +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:218 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Hylkää tehdyt muutokset" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 +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:236 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Profiilien hallinta..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 +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:252 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Ilmoita &virheestä" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Tietoja..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Poista malli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Ke&skitä malli alustalle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Ryhmittele mallit" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Poista mallien ryhmitys" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Yhdistä mallit" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Kerro malli..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Valitse kaikki mallit" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Tyhjennä tulostusalusta" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Lataa kaikki mallit uudelleen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Järjestä kaikki mallit" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Järjestä valinta" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 +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:420 +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:429 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Avaa tiedosto(t)..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Uusi projekti..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Näytä määrityskansio" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Määritä asetusten näkyvyys..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /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:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Asetukset" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /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:459 +#: /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:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Avaa tiedosto(t)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Lisää tulostin" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "version: %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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-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 +msgctxt "@label" +msgid "Graphical user interface" +msgstr "Graafinen käyttöliittymä" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "G-code generator" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Programming language" +msgstr "Ohjelmointikieli" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUI-kehyksen sidonnat" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Data interchange format" +msgstr "Data Interchange Format" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for faster math" +msgstr "Nopeamman laskennan tukikirjasto" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling planar objects" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Support library for file metadata and streaming" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "ZeroConf-etsintäkirjasto" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "Fontti" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Linux cross-distribution application deployment" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Avaa projektitiedosto" + +#: /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 "Tämä on Cura-projektitiedosto. Haluatko avata sen projektina vai tuoda siinä olevat mallit?" + +#: /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 +msgctxt "@action:button" +msgid "Open as project" +msgstr "Avaa projektina" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +msgctxt "@action:button" +msgid "Import models" +msgstr "Tuo mallit" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Hylkää tai säilytä muutokset" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Profiilin asetukset" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" +msgid "Always ask me this" +msgstr "Kysy aina" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +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:160 +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:197 +msgctxt "@action:button" +msgid "Discard changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Tuo kaikki malleina" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Tallenna projekti" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Suulake %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & materiaali" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" msgid "Material" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Tallenna" + +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Muokkaa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Avaa &viimeisin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiaali" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /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ä" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 msgctxt "@title:menu menubar:toplevel" msgid "&Settings" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Tulostin" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Laa&jennukset" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiaali" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "L&isäasetukset" -#: /mnt/projects/ultimaker/cura/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/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Ohje" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Uusi projekti" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:27 +#: /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:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 msgctxt "@label" msgid "Number of Copies" msgstr "Kopioiden määrä" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +#: /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:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Käyttöliittymä" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Valuutta:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Teema:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Viipaloi automaattisesti" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Näyttöikkunan käyttäytyminen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Näytä uloke" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Zoomaa hiiren suuntaan" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +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:431 +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:436 +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:448 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 +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:470 +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:480 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Tiedostojen avaaminen ja tallentaminen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Skaalaa suuret mallit" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Skaalaa erittäin pienet mallit" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Avaa aina projektina" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Tuo mallit aina" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Tietosuoja" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Lähetä (anonyymit) tulostustiedot" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Tuo materiaali" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Vie materiaali" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Aktiivinen tulostustyö" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Tulostusaika" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" msgid "Profile" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/trin/Gedeeld/Projects/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" @@ -3395,1617 +5023,84 @@ msgstr "" "\n" "Avaa profiilin hallinta napsauttamalla." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +msgctxt "@label:header" +msgid "Custom profiles" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Tulostusasetukset" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -msgctxt "@tooltip" -msgid "You have modified some profile settings. If you want to change these go to custom mode." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/trin/Gedeeld/Projects/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] "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Aktiivinen tulostustyö" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Työn nimi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Tulostusaika" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Aikaa jäljellä arviolta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Hylkää tai säilytä muutokset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Profiilin asetukset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Kysy aina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Hylkää äläkä kysy uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Säilytä äläkä kysy uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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-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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Graafinen käyttöliittymä" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Sovelluskehys" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Prosessien välinen tietoliikennekirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Ohjelmointikieli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI-kehys" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUI-kehyksen sidonnat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C/C++ -sidontakirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Data Interchange Format" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Tieteellisen laskennan tukikirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Nopeamman laskennan tukikirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "STL-tiedostojen käsittelyn tukikirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "Tukikirjasto 3MF-tiedostojen käsittelyyn" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Sarjatietoliikennekirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConf-etsintäkirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Monikulmion leikkauskirjasto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Fontti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG-kuvakkeet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Avaa tiedosto(t)" - -#: /mnt/projects/ultimaker/cura/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 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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Tuo kaikki malleina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Tallenna projekti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Suulake %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & materiaali" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Älä näytä projektin yhteenvetoa tallennettaessa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Tallenna" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Avaa projektitiedosto" - -#: /mnt/projects/ultimaker/cura/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 "Tämä on Cura-projektitiedosto. Haluatko avata sen projektina vai tuoda siinä olevat mallit?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Muista valintani" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 -msgctxt "@action:button" -msgid "Open as project" -msgstr "Avaa projektina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Tuo mallit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 msgctxt "@button" -msgid "Get started" +msgid "Recommended" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 msgctxt "@button" -msgid "Add" +msgid "Custom" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +#: /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:33 msgctxt "@label" -msgid "Could not connect to device." +msgid "Experimental" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" +msgid "Adhesion" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgid "Gradual infill" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 msgctxt "@label" -msgid "Add a printer" +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:81 +msgctxt "@tooltip" +msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" -msgid "Add a networked printer" +msgid "Support" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 -msgctxt "@label" -msgid "What's New" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Vaihda koko näyttöön" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Kumoa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "Tee &uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Lopeta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Määritä Curan asetukset..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "L&isää tulostin..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Tulostinten &hallinta..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Hallitse materiaaleja..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Päivitä nykyiset asetukset tai ohitukset profiiliin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Hylkää tehdyt muutokset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Luo profiili nykyisten asetusten tai ohitusten perusteella..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Profiilien hallinta..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Näytä sähköinen &dokumentaatio" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Ilmoita &virheestä" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Tietoja..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Poista malli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Ke&skitä malli alustalle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Ryhmittele mallit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Poista mallien ryhmitys" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Yhdistä mallit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Kerro malli..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Valitse kaikki mallit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Tyhjennä tulostusalusta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Lataa kaikki mallit uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Järjestä kaikki mallit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Järjestä valinta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Määritä kaikkien mallien positiot uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Määritä kaikkien mallien muutokset uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Avaa tiedosto(t)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Uusi projekti..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Näytä määrityskansio" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Määritä asetusten näkyvyys..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Laskettu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Asetus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profiili" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Nykyinen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Yksikkö" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Tiedot" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Näytä nimi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Materiaalin tyyppi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Väri" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Ominaisuudet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Tiheys" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Läpimitta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Tulostuslangan hinta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Tulostuslangan paino" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Tulostuslangan pituus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Hinta metriä kohden" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Poista materiaalin linkitys" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Kuvaus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Tarttuvuustiedot" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivoi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Luo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Jäljennös" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Tuo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Vie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Tuo materiaali" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Materiaalin tuominen epäonnistui: %1: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Materiaalin tuominen onnistui: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Vie materiaali" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Materiaalin vieminen onnistui kohteeseen %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Tulostimet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Nimeä uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profiilit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Luo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Jäljennös" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Luo profiili" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Monista profiili" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Nimeä profiili uudelleen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profiilin tuonti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profiilin vienti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Tulostin: %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Nykyiset asetukset vastaavat valittua profiilia." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Yleiset asetukset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Näkyvyyden asettaminen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Tarkista kaikki" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 -msgctxt "@title:tab" -msgid "General" -msgstr "Yleiset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 -msgctxt "@label" -msgid "Interface" -msgstr "Käyttöliittymä" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 -msgctxt "@label" -msgid "Currency:" -msgstr "Valuutta:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 -msgctxt "@label" -msgid "Theme:" -msgstr "Teema:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Viipaloi automaattisesti, kun asetuksia muutetaan." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Viipaloi automaattisesti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Näyttöikkunan käyttäytyminen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Näytä uloke" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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ä." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Keskitä kamera kun kohde on valittu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Pitääkö Curan oletusarvoinen zoom-toimintatapa muuttaa päinvastaiseksi?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Käännä kameran zoomin suunta päinvastaiseksi." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Tuleeko zoomauksen siirtyä hiiren suuntaan?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoomaa hiiren suuntaan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Varmista, että mallit ovat erillään" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Pudota mallit automaattisesti alustalle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Pakotetaanko kerros yhteensopivuustilaan?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Pakota kerrosnäkymän yhteensopivuustila (vaatii uudelleenkäynnistyksen)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Tiedostojen avaaminen ja tallentaminen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Skaalaa suuret mallit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Skaalaa erittäin pienet mallit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Lisää laitteen etuliite työn nimeen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Näytetäänkö yhteenveto, kun projektitiedosto tallennetaan?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Näytä yhteenvetoikkuna, kun projekti tallennetaan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Projektitiedoston avaamisen oletustoimintatapa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Projektitiedoston avaamisen oletustoimintatapa: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Avaa aina projektina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Tuo mallit aina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Tietosuoja" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Tarkista päivitykset käynnistettäessä" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Lähetä (anonyymit) tulostustiedot" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Ei yhteyttä tulostimeen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Tulostin ei hyväksy komentoja" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "Huolletaan. Tarkista tulostin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Yhteys tulostimeen menetetty" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Tulostetaan..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Keskeytetty" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Valmistellaan..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Poista tuloste" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Haluatko varmasti keskeyttää tulostuksen?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 -msgctxt "@label:textbox" -msgid "Search settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Kopioi arvo kaikkiin suulakepuristimiin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Piilota tämä asetus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Älä näytä tätä asetusta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Pidä tämä asetus näkyvissä" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -5016,32 +5111,32 @@ msgstr "" "\n" "Tee asetuksista näkyviä napsauttamalla." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Koskee seuraavia:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Riippuu seuraavista:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5052,7 +5147,7 @@ msgstr "" "\n" "Palauta profiilin arvo napsauttamalla." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5063,567 +5158,336 @@ msgstr "" "\n" "Palauta laskettu arvo napsauttamalla." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +msgctxt "@action:menu" +msgid "Copy value to all extruders" +msgstr "Kopioi arvo kaikkiin suulakepuristimiin" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:477 +msgctxt "@action:menu" +msgid "Copy all changed values to all extruders" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Piilota tämä asetus" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +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:531 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Suulake" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." +msgid "View type" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Peruuta" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /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 "Pre-heat" -msgstr "Esilämmitä" - -#: /mnt/projects/ultimaker/cura/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." +msgid "Add printer manually" msgstr "" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Tämän suulakkeen materiaali." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Tähän suulakkeeseen liitetty suutin." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Alusta" +msgid "Manufacturer" +msgstr "" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" +msgid "Profile author" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" +msgid "Printer name" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "X/Y" +msgid "Add a printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" +msgid "Add a networked printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" +msgid "Add a non-networked printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" +msgid "There is no printer found over your network." msgstr "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Tulostinta ei ole yhdistetty." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." +msgid "Refresh" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." +msgid "Add printer by IP" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." +msgid "Add cloud printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." +msgid "Troubleshooting" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Muokkaa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Laa&jennukset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "L&isäasetukset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Ohje" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Uusi projekti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." +msgid "Add printer by IP address" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Asetukset" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Avaa tiedosto(t)" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Lisää tulostin" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +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:28 +msgctxt "@label" msgid "What's New" msgstr "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" +msgid "No items to select from" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Viipaloidaan..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "" - -#: RemovableDriveOutputDevice/plugin.json +#: ModelChecker/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Tukee irrotettavan aseman kytkemistä lennossa ja sille kirjoittamista." +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "" -#: RemovableDriveOutputDevice/plugin.json +#: ModelChecker/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Irrotettavan aseman tulostusvälineen laajennus" +msgid "Model Checker" +msgstr "" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "" +msgid "Provides support for reading 3MF files." +msgstr "Tukee 3MF-tiedostojen lukemista." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "" +msgid "3MF Reader" +msgstr "3MF-lukija" -#: VersionUpgrade/VersionUpgrade462to47/plugin.json +#: 3MFWriter/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "" +msgid "Provides support for writing 3MF files." +msgstr "Tukee 3MF-tiedostojen kirjoittamista." -#: VersionUpgrade/VersionUpgrade462to47/plugin.json +#: 3MFWriter/plugin.json msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "" - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -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/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/VersionUpgrade26to27/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/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Päivittää kokoonpanon versiosta Cura 2.5 versioon Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Päivitys versiosta 2.5 versioon 2.6" - -#: 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/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/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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "" - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "" - -#: 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" +msgid "3MF Writer" +msgstr "3MF-kirjoitin" #: AMFReader/plugin.json msgctxt "description" @@ -5635,6 +5499,96 @@ 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." @@ -5645,34 +5599,64 @@ msgctxt "name" msgid "G-code Profile Reader" msgstr "" -#: FirmwareUpdater/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Provides a machine actions for updating firmware." +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 "" -#: FirmwareUpdater/plugin.json +#: GCodeWriter/plugin.json msgctxt "name" -msgid "Firmware Updater" +msgid "G-code Writer" msgstr "" -#: X3DReader/plugin.json +#: ImageReader/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Tukee X3D-tiedostojen lukemista." +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Mahdollistaa tulostettavien geometrioiden luomisen 2D-kuvatiedostoista." -#: X3DReader/plugin.json +#: ImageReader/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D-lukija" +msgid "Image Reader" +msgstr "Kuvanlukija" -#: Toolbox/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." +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 "" -#: Toolbox/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Toolbox" +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 @@ -5695,166 +5679,6 @@ msgctxt "name" msgid "Post Processing" msgstr "Jälkikäsittely" -#: 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" - -#: 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" - -#: 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" - -#: UM3NetworkPrinting/plugin.json -msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "" - -#: UM3NetworkPrinting/plugin.json -msgctxt "name" -msgid "Ultimaker Network Connection" -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" - -#: 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" - -#: 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 "" - -#: 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 "" - -#: 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 "" - -#: 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" - -#: 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" - -#: 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 "" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "" - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -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 "" - -#: UFPReader/plugin.json -msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "" - -#: UFPReader/plugin.json -msgctxt "name" -msgid "UFP Reader" -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" - #: PrepareStage/plugin.json msgctxt "description" msgid "Provides a prepare stage in Cura." @@ -5865,46 +5689,6 @@ msgctxt "name" msgid "Prepare Stage" msgstr "" -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor 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ä" - -#: 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" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Lähettää anonyymiä viipalointitietoa. Voidaan lisäasetuksista kytkeä pois käytöstä." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Viipalointitiedot" - #: PreviewStage/plugin.json msgctxt "description" msgid "Provides a preview stage in Cura." @@ -5915,6 +5699,26 @@ msgctxt "name" msgid "Preview Stage" msgstr "" +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Tukee irrotettavan aseman kytkemistä lennossa ja sille kirjoittamista." + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "name" +msgid "Removable Drive Output Device Plugin" +msgstr "Irrotettavan aseman tulostusvälineen laajennus" + +#: 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." @@ -5925,25 +5729,15 @@ msgctxt "name" msgid "Simulation View" msgstr "" -#: MachineSettingsAction/plugin.json +#: SliceInfoPlugin/plugin.json msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Lähettää anonyymiä viipalointitietoa. Voidaan lisäasetuksista kytkeä pois käytöstä." -#: MachineSettingsAction/plugin.json +#: SliceInfoPlugin/plugin.json msgctxt "name" -msgid "Machine Settings Action" -msgstr "" - -#: XmlMaterialProfile/plugin.json -msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Mahdollistaa XML-pohjaisten materiaaliprofiilien lukemisen ja kirjoittamisen." - -#: XmlMaterialProfile/plugin.json -msgctxt "name" -msgid "Material Profiles" -msgstr "Materiaaliprofiilit" +msgid "Slice info" +msgstr "Viipalointitiedot" #: SolidView/plugin.json msgctxt "description" @@ -5955,15 +5749,45 @@ msgctxt "name" msgid "Solid View" msgstr "Kiinteä näkymä" -#: CuraProfileReader/plugin.json +#: SupportEraser/plugin.json msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Tukee Cura-profiilien tuontia." +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "" -#: CuraProfileReader/plugin.json +#: SupportEraser/plugin.json msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura-profiilin lukija" +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" +msgstr "" #: UFPWriter/plugin.json msgctxt "description" @@ -5975,36 +5799,276 @@ msgctxt "name" msgid "UFP Writer" msgstr "" -#: GCodeWriter/plugin.json +#: UltimakerMachineActions/plugin.json msgctxt "description" -msgid "Writes g-code to a file." +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." msgstr "" -#: GCodeWriter/plugin.json +#: UltimakerMachineActions/plugin.json msgctxt "name" -msgid "G-code Writer" -msgstr "" +msgid "Ultimaker machine actions" +msgstr "Ultimaker-laitteen toiminnot" -#: ImageReader/plugin.json +#: UM3NetworkPrinting/plugin.json msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Mahdollistaa tulostettavien geometrioiden luomisen 2D-kuvatiedostoista." +msgid "Manages network connections to Ultimaker networked printers." +msgstr "" -#: ImageReader/plugin.json +#: UM3NetworkPrinting/plugin.json msgctxt "name" -msgid "Image Reader" -msgstr "Kuvanlukija" +msgid "Ultimaker Network Connection" +msgstr "" -#: CuraDrive/plugin.json +#: USBPrinting/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." +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." +msgstr "Päivittää kokoonpanon versiosta Cura 2.5 versioon Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Päivitys versiosta 2.5 versioon 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/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." msgstr "" -#: CuraDrive/plugin.json +#: VersionUpgrade/VersionUpgrade30to31/plugin.json msgctxt "name" -msgid "Cura Backups" +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" +msgstr "" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +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 "" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "" + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Tukee X3D-tiedostojen lukemista." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D-lukija" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Mahdollistaa XML-pohjaisten materiaaliprofiilien lukemisen ja kirjoittamisen." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Materiaaliprofiilit" + +#: 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ä" + #~ msgctxt "@action:inmenu menubar:edit" #~ msgid "Delete Selected Model" #~ msgid_plural "Delete Selected Models" diff --git a/resources/i18n/fi_FI/fdmextruder.def.json.po b/resources/i18n/fi_FI/fdmextruder.def.json.po index 23a1fe6f59..bf103b91a4 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 22b63e6790..d1ffed61eb 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2017-09-27 12:27+0200\n" "Last-Translator: Bothof \n" "Language-Team: Finnish\n" @@ -3193,7 +3193,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." msgstr "" #: fdmprinter.def.json diff --git a/resources/i18n/fr_FR/cura.po b/resources/i18n/fr_FR/cura.po index 9478c31057..da009fc692 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 15:16+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: French , French \n" @@ -17,169 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Chargement des machines..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Configuration des préférences..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Initialisation de la machine active..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Imprimantes en réseau disponibles" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Initialisation du gestionnaire de machine..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Pas écrasé" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Initialisation du volume de fabrication..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Préparation de la scène..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Chargement de l'interface..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Initialisation du moteur..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Avertissement" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Erreur" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Voulez-vous vraiment supprimer l'objet {0} ? Cette action est irréversible !" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Matériau personnalisé" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Personnalisé" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Inconnu" +msgid "Visual" +msgstr "Visuel" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Matériau personnalisé" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Personnalisé" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Personnaliser les profils" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Tous les types supportés ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Tous les fichiers (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Visuel" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "La connexion a échoué" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Recherche d'un nouvel emplacement pour les objets" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "Recherche d'emplacement" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Ébauche" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Impossible de trouver un emplacement" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +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 : {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Sauvegarde" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Imprimantes en réseau disponibles" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Pas écrasé" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume d'impression" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Échec du démarrage de Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -194,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Envoyer le rapport de d'incident à Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Afficher le rapport d'incident détaillé" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Afficher le dossier de configuration" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Sauvegarder et réinitialiser la configuration" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Rapport d'incident" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -230,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informations système" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Inconnu" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Version Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Langue de Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Langue du SE" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plate-forme" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Version Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Version PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Pas encore initialisé
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Version OpenGL : {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Revendeur OpenGL : {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Moteur de rendu OpenGL : {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Retraçage de l'erreur" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Journaux" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Envoyer rapport" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "La connexion a échoué" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Chargement des machines..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Configuration des préférences..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Initialisation de la machine active..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Initialisation du gestionnaire de machine..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Initialisation du volume de fabrication..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Préparation de la scène..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Chargement de l'interface..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Initialisation du moteur..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Avertissement" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Erreur" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplication et placement d'objets" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Placement des objets" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Impossible d’atteindre le serveur du compte Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Le fichier existe déjà" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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 ?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL de fichier invalide :" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Buse" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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 :" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Paramètres mis à jour" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrudeuse(s) désactivée(s)" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil exporté vers {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "L'exportation a réussi" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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} :" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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} :" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Importation du profil {0} réussie." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Personnaliser le profil" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Il manque un type de qualité au profil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Aucune imprimante n'est active pour le moment." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Impossible d'ajouter le profil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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} »." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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é." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Recherche d'un nouvel emplacement pour les objets" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Buse" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Recherche d'emplacement" +msgid "Settings updated" +msgstr "Paramètres mis à jour" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Impossible de trouver un emplacement" +msgid "Extruder(s) Disabled" +msgstr "Extrudeuse(s) désactivée(s)" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Annuler" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Groupe nº {group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Passer" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Fermer" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Suivant" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Fin" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Paroi externe" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Parois internes" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Couche extérieure" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Remplissage" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Remplissage du support" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Interface du support" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Support" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Jupe" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Tour primaire" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Déplacement" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Rétractions" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Autre" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Ajouter" +msgid "Next" +msgstr "Suivant" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Annuler" +msgid "Skip" +msgstr "Passer" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume d'impression" +msgid "3D Model Assistant" +msgstr "Assistant de modèle 3D" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -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 : {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Sauvegarde" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplication et placement d'objets" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Placement des objets" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Placement de l'objet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Enregistrer sur un lecteur amovible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Enregistrer sur un lecteur amovible {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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 !" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Enregistrement" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Impossible d'enregistrer sur le lecteur {0}: {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Enregistré sur le lecteur amovible {0} sous {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Fichier enregistré" +msgid "Open Project File" +msgstr "Ouvrir un fichier de projet" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Ejecter" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Ejecter le lecteur amovible {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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é." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Retirez le lecteur en toute sécurité" +msgid "Can't Open Project File" +msgstr "Impossible d'ouvrir le fichier de projet" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Lecteur amovible" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Fichier 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Projet Cura fichier 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "Fichier AMF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Fichier GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Mettre à jour le firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Fichier X3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Refuser" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Accepter" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Plug-in d'accord de licence" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Décliner et supprimer du compte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "Échec de téléchargement des plugins {}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchronisation..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Changements détectés à partir de votre compte Ultimaker" +msgid "Backups" +msgstr "Sauvegardes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +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." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Création de votre sauvegarde..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchroniser" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Paramètres par modèle" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Téléchargement de votre sauvegarde..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Le téléchargement de votre sauvegarde est terminé." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Post-traitement" +msgid "Manage backups" +msgstr "Gérer les sauvegardes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modifier le G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Impossible de découper" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -894,75 +923,465 @@ msgstr "" "- Sont affectés à un extrudeur activé\n" "- N sont pas tous définis comme des mailles de modificateur" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Informations" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impression par USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimer via USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimer via USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Connecté via USB" - -#: /mnt/projects/ultimaker/cura/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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impression en cours" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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 "Profil Cura" -#: /mnt/projects/ultimaker/cura/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/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Impossible d'accéder aux informations de mise à jour." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, 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 possédez pas la dernière version disponible, il est recommandé de mettre à jour le micrologiciel sur votre imprimante avec la version {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 firmware available" +msgstr "Nouveau firmware %s disponible" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Enregistrement" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Fichier enregistré" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Ejecter" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Retirez le lecteur en toute sécurité" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Vue simulation" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Pas de couches à afficher" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "En savoir plus" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/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 binaire" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "JSON incorporé glTF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Format Triangle de Stanford" + +#: /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/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/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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivellement du plateau" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Sélectionner les mises à niveau" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Imprimer via le cloud" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -970,70 +1389,71 @@ msgid_plural "... and {0} others" msgstr[0] "... et {0} autre" msgstr[1] "... et {0} autres" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Imprimantes ajoutées à partir de Digital Factory :" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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 :" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Conserver les configurations d'imprimante" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Supprimer des imprimantes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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 ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Supprimer des imprimantes ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1049,7 +1469,7 @@ msgstr[1] "" "Vous êtes sur le point de supprimer {0} imprimantes de Cura. Cette action est irréversible.\n" "Voulez-vous vraiment continuer ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1058,1530 +1478,761 @@ msgstr "" "Vous êtes sur le point de supprimer toutes les imprimantes de Cura. Cette action est irréversible.\n" "Voulez-vous vraiment continuer ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Imprimer via le cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Imprimer via le cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Connecté via le cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "demain" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "aujourd'hui" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Lancement d'une tâche d'impression" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Pas un hôte de groupe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurer le groupe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Lancez et surveillez des impressions où que vous soyez avec votre compte Ultimaker." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Se connecter à Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Prise en main" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 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." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Erreur d'impression" +msgid "Update your printer" +msgstr "Mettre à jour votre imprimante" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Erreur de réseau" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Données envoyées" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Mettre à jour votre imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Sélectionner les mises à niveau" +msgid "Connect via Network" +msgstr "Connecter via le réseau" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Nivellement du plateau" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recommandé" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personnalisé" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Ouvrir un fichier de projet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Impossible d'ouvrir le fichier de projet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Fichier 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Fichier G-Code compressé" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistant de modèle 3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "demain" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Impossible d'accéder aux informations de mise à jour." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, 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 possédez pas la dernière version disponible, il est recommandé de mettre à jour le micrologiciel sur votre imprimante avec la version {latest_version}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Nouveau firmware %s disponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Comment effectuer la mise à jour" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Fichier G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Analyse du G-Code" +msgid "today" +msgstr "aujourd'hui" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Détails G-Code" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impression par USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimer via USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Blocage des supports" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 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." +msgid "Print via USB" +msgstr "Imprimer via USB" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Connecté via USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impression en cours" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "Fichier X3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF binaire" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "JSON incorporé glTF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Format Triangle de Stanford" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange compressé" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Format Package" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profils Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Préparer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Surveiller" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Visualisation par rayons X" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Erreur d'écriture du fichier 3MF." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Fichier 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Projet Cura fichier 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Le plug-in 3MF Writer est corrompu." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Aperçu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Vue en couches" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Vue simulation" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Pas de couches à afficher" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Ne plus afficher ce message" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Paramètres de la machine" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Vue solide" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Erreurs du modèle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "En savoir plus" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Impossible d'écrire dans le fichier UFP :" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Image JPG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Image JPEG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Image PNG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Image BMP" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Image GIF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Sauvegardes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Création de votre sauvegarde..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Téléchargement de votre sauvegarde..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Le téléchargement de votre sauvegarde est terminé." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "La sauvegarde dépasse la taille de fichier maximale." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gérer les sauvegardes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Mettre à jour le firmware" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Mise à niveau automatique du firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Charger le firmware personnalisé" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Sélectionner le firmware personnalisé" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Mise à jour du firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Mise à jour du firmware en cours." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Mise à jour du firmware terminée." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Marché en ligne" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Changements à partir de votre compte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Ignorer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Suivant" - -#: /mnt/projects/ultimaker/cura/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 :" - -#: /mnt/projects/ultimaker/cura/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 :" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirmer la désinstallation" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Matériaux" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profils" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmer" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contributions de la communauté" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Plug-ins de la communauté" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Matériaux génériques" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Version" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Dernière mise à jour" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marque" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Téléchargements" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Plug-ins installés" - -#: /mnt/projects/ultimaker/cura/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é." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Matériaux installés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Aucun matériau n'a été installé." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Plug-ins groupés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Matériaux groupés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Site Internet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Se connecter" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Récupération des paquets..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilité" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Machine" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Plateau" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Support" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualité" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Fiche technique" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Fiche de sécurité" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Directives d'impression" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Site Internet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plug-ins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Matériaux" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Installé" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Aller sur le Marché en ligne" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "S'installera au redémarrage" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Mise à jour" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Mise à jour" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Mis à jour" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Revenir à une version précédente" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Désinstaller" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Installé" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Rechercher des matériaux" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Quitter %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Précédent" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Type de maille" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modèle normal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimer comme support" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modifier les paramètres de chevauchement" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Ne prend pas en charge le chevauchement" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Maille de remplissage uniquement" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Maille de coupe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Sélectionner les paramètres" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrer..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Afficher tout" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plug-in de post-traitement" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts de post-traitement" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Ajouter un script" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Paramètres" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Modifiez les scripts de post-traitement actifs." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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 :" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Mis en file d'attente" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gérer dans le navigateur" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Tâches d'impression" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Temps total d'impression" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Attente de" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Modifications de configuration" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Remplacer" - -#: /mnt/projects/ultimaker/cura/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 :" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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é)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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é)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Verre" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Imprimante indisponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Premier disponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Connecter à l'imprimante en réseau" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 :" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Modifier" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Supprimer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Rafraîchir" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Type" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Version du firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adresse" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Connecter" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Adresse IP non valide" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Veuillez saisir une adresse IP valide." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Adresse de l'imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimer sur le réseau" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Sélection d'imprimantes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Déplacer l'impression en haut" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Effacer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Reprendre" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Mise en pause..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Reprise..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pause" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Abandon..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Abandonner" - -#: /mnt/projects/ultimaker/cura/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 ?" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Supprimer l'impression" - -#: /mnt/projects/ultimaker/cura/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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Abandonner l'impression" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Abandonné" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Terminé" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Préparation..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Abandon..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Mise en pause..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "En pause" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Reprise..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Action requise" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Finit %1 à %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gérer l'imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Chargement..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Indisponible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Injoignable" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Inactif" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Impression" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sans titre" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonyme" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Nécessite des modifications de configuration" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Détails" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivellement du plateau" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Démarrer le nivellement du plateau" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Aller à la position suivante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Ouvrir un projet" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Mettre à jour l'existant" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Créer" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Résumé - Projet Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Paramètres de l'imprimante" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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 ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Type" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Groupe d'imprimantes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Paramètres de profil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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 ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Nom" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Absent du profil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 écrasent" msgstr[1] "%1 écrase" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Dérivé de" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Paramètres du matériau" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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 ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilité des paramètres" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mode" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Paramètres visibles :" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 sur %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Le chargement d'un projet effacera tous les modèles sur le plateau." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Ouvrir" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Vous en voulez plus ?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Supprimer la sauvegarde" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Restaurer la sauvegarde" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Sauvegardes Cura" + +#: /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:199 +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 +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/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 "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/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Mise à niveau automatique du firmware" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Charger le firmware personnalisé" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Conversion de l'image..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Hauteur (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Base (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Largeur (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Profondeur (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Le plus foncé est plus haut" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Translucidité" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "Transmission 1 mm (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Imprimante" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Paramètres de la buse" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Taille de la buse" + +#: /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" +msgstr "Diamètre du matériau compatible" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Décalage buse X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Décalage buse Y" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Numéro du ventilateur de refroidissement" + +#: /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/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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Largeur)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profondeur)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Hauteur)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forme du plateau" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origine au centre" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Plateau chauffant" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume de fabrication chauffant" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Parfum G-Code" + +#: /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/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 "Hauteur du portique" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Nombre d'extrudeuses" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-Code de démarrage" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-Code de fin" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2593,817 +2244,1595 @@ 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Veuillez connecter votre imprimante au réseau." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Maille de remplissage uniquement" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Maille de coupe" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +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 "More information on anonymous data collection" -msgstr "Plus d'informations sur la collecte de données anonymes" +msgid "Select Settings to Customize for this model" +msgstr "Sélectionner les paramètres pour personnaliser ce modèle" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrer..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Afficher tout" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Plug-in de post-traitement" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Modifiez les scripts de post-traitement actifs." + +#: /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] "Le script suivant est actif :" +msgstr[1] "Les scripts suivants sont actifs :" + +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Couleur du matériau" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Type de ligne" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Vitesse" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Épaisseur de la couche" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Largeur de ligne" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Mode de compatibilité" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Déplacements" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Aides" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Coque" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Démarre" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Afficher uniquement les couches supérieures" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Haut / bas" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Paroi interne" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "max." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Paramètres de la buse" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Taille de la buse" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diamètre du matériau compatible" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Décalage buse X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Décalage buse Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Numéro du ventilateur de refroidissement" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Extrudeuse G-Code de démarrage" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Extrudeuse G-Code de fin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Paramètres de l'imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Largeur)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profondeur)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Hauteur)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Forme du plateau" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Origine au centre" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Plateau chauffant" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume de fabrication chauffant" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Parfum G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Paramètres de la tête d'impression" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Hauteur du portique" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Nombre d'extrudeuses" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-Code de démarrage" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-Code de fin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Conversion de l'image..." +msgid "More information on anonymous data collection" +msgstr "Plus d'informations sur la collecte de données anonymes" -#: /mnt/projects/ultimaker/cura/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/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 :" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Hauteur (mm)" +#: /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" -#: /mnt/projects/ultimaker/cura/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/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Autoriser l'envoi de données anonymes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Base (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Largeur (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Profondeur (mm)" - -#: /mnt/projects/ultimaker/cura/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é." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Le plus foncé est plus haut" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Le plus clair est plus haut" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Linéaire" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Translucidité" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "Transmission 1 mm (%)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Lissage" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Mes sauvegardes" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Vous en voulez plus ?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Sauvegarder maintenant" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Sauvegarde automatique" - -#: /mnt/projects/ultimaker/cura/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é." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Version Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Machines" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Matériaux" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profils" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plug-ins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Supprimer la sauvegarde" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurer la sauvegarde" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Sauvegardes Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoris" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Générique" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Fichier" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Enregistrer le projet..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "E&xporter..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exporter la sélection..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Ouvrir un fichier &récent" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Sélectionner la configuration" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurations" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurations" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personnalisé" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Activé" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marché en ligne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Chargement des configurations disponibles à partir de l'imprimante..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Visualisation" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Position de la &caméra" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Vue de la caméra" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspective" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Orthographique" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Plateau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Imprimantes réseau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Imprimantes locales" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Paramètres visibles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Réduire toutes les catégories" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gérer la visibilité des paramètres..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Paramètres" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Im&primante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Définir comme extrudeur actif" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Activer l'extrudeuse" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Désactiver l'extrudeuse" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Sauvegarder le projet..." - -#: /mnt/projects/ultimaker/cura/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 :" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Nombre de copies" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Ouvrir le(s) fichier(s)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Personnaliser les profils" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Ignorer les modifications actuelles" +msgid "Back" +msgstr "Précédent" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 msgctxt "@label" -msgid "Profile" -msgstr "Profil" +msgid "Compatibility" +msgstr "Compatibilité" -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Certaines valeurs de paramètre / forçage sont différentes des valeurs enregistrées dans le profil. \n" -"\n" -"Cliquez pour ouvrir le gestionnaire de profils." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Machine" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "On" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Plateau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Off" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Expérimental" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recommandé" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personnalisé" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Paramètres d'impression" - -#: /mnt/projects/ultimaker/cura/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é." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Remplissage graduel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profils" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" msgid "Support" msgstr "Support" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +#: /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 "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." +msgid "Premium" +msgstr "Premium" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +#: /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 "Aller sur le Marché en ligne" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 msgctxt "@label" -msgid "Adhesion" -msgstr "Adhérence" +msgid "Search materials" +msgstr "Rechercher des matériaux" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 +#: /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:457 +#: /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 "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." +msgid "Will install upon restarting" +msgstr "S'installera au redémarrage" -#: /mnt/projects/ultimaker/cura/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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +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:178 +msgctxt "@button" +msgid "Next" +msgstr "Suivant" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "No items to select from" -msgstr "Aucun élément à sélectionner" +msgid "The following packages will be added:" +msgstr "Les packages suivants seront ajoutés :" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Active print" -msgstr "Activer l'impression" +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 :" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 +#: /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 "Job Name" -msgstr "Nom de la tâche" +msgid "You need to accept the license to install the package" +msgstr "Vous devez accepter la licence pour installer le package" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Printing Time" -msgstr "Durée d'impression" +msgid "Website" +msgstr "Site Internet" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Estimated time left" -msgstr "Durée restante estimée" +msgid "Email" +msgstr "E-mail" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +#: /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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Matériaux installés" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Plug-ins groupés" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Aller à la position suivante" + +#: /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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Connecter à l'imprimante en réseau" + +#: /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/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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Imprimer sur le réseau" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimer" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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 - Sauvegardez et synchronisez vos profils de matériaux et vos plug-ins - 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:81 +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:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Compte Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Découpe en cours..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Impossible de découper" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Traitement" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Découper" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +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:118 +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:125 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Quitter" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Vue 3D" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Vue de face" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Vue du dessus" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Vue latérale gauche" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Vue latérale droite" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Configurer Cura..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Ajouter une imprimante..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Gérer les &imprimantes..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Gérer les matériaux..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 +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:210 +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:218 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Ignorer les modifications actuelles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 +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:236 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Gérer les profils..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Afficher la &documentation en ligne" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Notifier un &bug" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Quoi de neuf" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "À propos de..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Supprimer la sélection" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centrer la sélection" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Multiplier la sélection" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Supprimer le modèle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 +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:315 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Grouper les modèles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Dégrouper les modèles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Fusionner les modèles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Multiplier le modèle..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 +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:372 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Supprimer les objets du plateau" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Recharger tous les modèles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 +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:398 +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:406 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Réorganiser la sélection" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 +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:420 +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:429 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Ouvrir le(s) fichier(s)..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nouveau projet..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Afficher le dossier de configuration" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Configurer la visibilité des paramètres..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Marché en ligne" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +msgctxt "@label" +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/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 +msgctxt "@title:tab" +msgid "General" +msgstr "Général" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Paramètres" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Imprimantes" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profils" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Fermeture de %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Installer le paquet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Ouvrir le(s) fichier(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Ajouter une imprimante" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Quoi de neuf" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "version: %1" +msgstr "version : %1" + +#: /home/trin/Gedeeld/Projects/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 +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 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 +msgctxt "@label" +msgid "Graphical user interface" +msgstr "Interface utilisateur graphique" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "G-code generator" +msgstr "Générateur G-Code" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Programming language" +msgstr "Langage de programmation" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Liens cadre IUG" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Data interchange format" +msgstr "Format d'échange de données" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Bibliothèque de communication série" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Bibliothèque de découpe polygone" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +msgctxt "@label" +msgid "Python bindings for libnest2d" +msgstr "Liens en python pour libnest2d" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Police" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Ouvrir un fichier de projet" + +#: /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 "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/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 +msgctxt "@action:button" +msgid "Open as project" +msgstr "Ouvrir comme projet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +msgctxt "@action:button" +msgid "Import models" +msgstr "Importer les modèles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Annuler ou conserver les modifications" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3414,1479 +3843,1294 @@ 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'." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 msgctxt "@title:column" msgid "Profile settings" msgstr "Paramètres du profil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 msgctxt "@title:column" msgid "Current changes" msgstr "Modifications actuelles" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Toujours me demander" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Annuler et ne plus me demander" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Conserver et ne plus me demander" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" msgid "Discard changes" msgstr "Annuler les modifications" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 msgctxt "@action:button" msgid "Keep changes" msgstr "Conserver les modifications" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "À propos de %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "version : %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 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 :" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Interface utilisateur graphique" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Cadre d'application" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Générateur G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Bibliothèque de communication interprocess" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Langage de programmation" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "Cadre IUG" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Liens cadre IUG" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Bibliothèque C/C++ Binding" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Format d'échange de données" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Bibliothèque de communication série" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Bibliothèque de découverte ZeroConf" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Bibliothèque de découpe polygone" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Vérificateur de type statique pour Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "Certificats racines pour valider la fiabilité SSL" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Bibliothèque de suivi des erreurs Python" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Liens en python pour libnest2d" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Extensions Python pour Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Police" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Icônes SVG" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Déploiement d'applications sur multiples distributions Linux" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Ouvrir le(s) fichier(s)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/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 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 ?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" msgid "Import all as models" msgstr "Importer tout comme modèles" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 msgctxt "@title:window" msgid "Save Project" msgstr "Enregistrer le projet" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 msgctxt "@action:label" msgid "Extruder %1" msgstr "Extrudeuse %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 msgctxt "@action:label" msgid "%1 & material" msgstr "%1 & matériau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 msgctxt "@action:label" msgid "Material" msgstr "Matériau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 msgctxt "@action:button" msgid "Save" msgstr "Enregistrer" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Ouvrir un fichier de projet" +#: /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" -#: /mnt/projects/ultimaker/cura/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 "Ceci est un fichier de projet Cura. Souhaitez-vous l'ouvrir comme projet ou en importer les modèles ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Se souvenir de mon choix" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 -msgctxt "@action:button" -msgid "Open as project" -msgstr "Ouvrir comme projet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Importer les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 msgctxt "@text Print job name" msgid "Untitled" msgstr "Sans titre" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Bienvenue dans Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Prise en main" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vide" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Aidez-nous à améliorer Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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 :" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Types de machines" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Utilisation du matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Nombre de découpes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Paramètres d'impression" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Plus d'informations" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Ajouter une imprimante par adresse IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Saisissez l'adresse IP de votre imprimante." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Ajouter" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Impossible de se connecter à l'appareil." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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 ?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Précédent" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Se connecter" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Ajouter une imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Ajouter une imprimante en réseau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Ajouter une imprimante hors réseau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 -msgctxt "@label" -msgid "What's New" -msgstr "Nouveautés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Ajouter une imprimante cloud" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "En attente d'une réponse cloud" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Aucune imprimante trouvée dans votre compte ?" - -#: /mnt/projects/ultimaker/cura/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 :" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Ajouter l'imprimante manuellement" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Connectez-vous à la plateforme Ultimaker" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Créez gratuitement un compte Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Ignorer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Accord utilisateur" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Décliner et fermer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notes de version" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Rafraîchir" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Ajouter une imprimante par IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Ajouter une imprimante cloud" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Dépannage" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricant" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Auteur du profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Nom de l'imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Veuillez nommer votre imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Dernière mise à jour : %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Compte Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Déconnexion" - -#: /mnt/projects/ultimaker/cura/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 - Sauvegardez et synchronisez vos profils de matériaux et vos plug-ins - Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Créez gratuitement un compte Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Se connecter" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Vérification en cours..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Compte synchronisé" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Un problème s'est produit..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Installer les mises à jour en attente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Rechercher des mises à jour de compte" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Liste d'objets" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Afficher le guide de dépannage en ligne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Passer en Plein écran" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Quitter le mode plein écran" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Annuler" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Rétablir" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Quitter" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Vue 3D" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Vue de face" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Vue du dessus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Vue latérale gauche" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Vue latérale droite" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Configurer Cura..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Ajouter une imprimante..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Gérer les &imprimantes..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Gérer les matériaux..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Ajouter d'autres matériaux du Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Ignorer les modifications actuelles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Créer un profil à partir des paramètres / forçages actuels..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Gérer les profils..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Afficher la &documentation en ligne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Notifier un &bug" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Quoi de neuf" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "À propos de..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Supprimer la sélection" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centrer la sélection" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Multiplier la sélection" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Supprimer le modèle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Ce&ntrer le modèle sur le plateau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Grouper les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Dégrouper les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Fusionner les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Multiplier le modèle..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Sélectionner tous les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Supprimer les objets du plateau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Recharger tous les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Réorganiser tous les modèles sur tous les plateaux" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Réorganiser tous les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Réorganiser la sélection" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Réinitialiser toutes les positions des modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Réinitialiser tous les modèles et transformations" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Ouvrir le(s) fichier(s)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nouveau projet..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Afficher le dossier de configuration" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Configurer la visibilité des paramètres..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Marché en ligne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Paramètre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Actuel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unité" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informations" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensions" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&références" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Aide" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmer le changement de diamètre" +msgid "New project" +msgstr "Nouveau projet" -#: /mnt/projects/ultimaker/cura/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/MainWindow/ApplicationMenu.qml:149 +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Afficher le nom" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Type de matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Couleur" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propriétés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densité" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diamètre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Coût du filament" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Poids du filament" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Longueur du filament" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Coût au mètre" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Délier le matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Description" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informations d'adhérence" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Activate" -msgstr "Activer" +msgid "Marketplace" +msgstr "Marché en ligne" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Créer" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configurations" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Dupliquer" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importer" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Marché en ligne" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exporter" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Chargement des configurations disponibles à partir de l'imprimante..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Sélectionner la configuration" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmer la suppression" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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 !" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importer un matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Matériau %1 importé avec succès" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exporter un matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Matériau exporté avec succès vers %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Imprimantes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Renommer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profils" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 msgctxt "@label" -msgid "Create" -msgstr "Créer" +msgid "Enabled" +msgstr "Activé" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 msgctxt "@label" -msgid "Duplicate" -msgstr "Dupliquer" +msgid "Material" +msgstr "Matériau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +#: /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 "Create Profile" -msgstr "Créer un profil" +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" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Dupliquer un profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Renommer le profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importer un profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exporter un profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Imprimante : %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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é." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Paramètres généraux" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilité des paramètres" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Vérifier tout" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 -msgctxt "@title:tab" -msgid "General" -msgstr "Général" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 msgctxt "@label" -msgid "Interface" -msgstr "Interface" +msgid "Number of Copies" +msgstr "Nombre de copies" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 -msgctxt "@label" -msgid "Currency:" -msgstr "Devise :" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Enregistrer le projet..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 -msgctxt "@label" -msgid "Theme:" -msgstr "Thème :" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "E&xporter..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 -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/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Exporter la sélection..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -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/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Matériau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Découper automatiquement" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favoris" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportement Viewport" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Générique" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Ouvrir le(s) fichier(s)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Mettre en surbrillance les porte-à-faux" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Imprimantes réseau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Imprimantes locales" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Afficher les erreurs du modèle" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Sauvegarder le projet..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 -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/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "Im&primante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -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/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Matériau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 -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/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Définir comme extrudeur actif" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Activer l'extrudeuse" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Désactiver l'extrudeuse" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoomer vers la direction de la souris" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Paramètres visibles" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Réduire toutes les catégories" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -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/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Gérer la visibilité des paramètres..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "Position de la &caméra" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -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/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Vue de la caméra" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Afficher le message d'avertissement dans le lecteur G-Code." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Message d'avertissement dans le lecteur G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "La couche doit-elle être forcée en mode de compatibilité ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -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)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -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é ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Restaurer la position de la fenêtre au démarrage" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -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é?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Rendu caméra :" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" msgid "Perspective" msgstr "Perspective" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 +msgctxt "@action:inmenu menubar:view" msgid "Orthographic" msgstr "Orthographique" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Ouvrir et enregistrer des fichiers" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "&Plateau" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Utiliser une seule instance de Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Réduire la taille des modèles trop grands" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Mettre à l'échelle les modèles extrêmement petits" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Sélectionner les modèles lorsqu'ils sont chargés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Ajouter le préfixe de la machine au nom de la tâche" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -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 : " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Toujours me demander" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Toujours ouvrir comme projet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Toujours importer les modèles" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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 : " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Toujours rejeter les paramètres modifiés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Toujours transférer les paramètres modifiés dans le nouveau profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Confidentialité" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Vérifier les mises à jour au démarrage" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Envoyer des informations (anonymes) sur l'impression" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "Plus d'informations" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "Type d'affichage" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 msgctxt "@label:MonitorStatus" msgid "Not connected to a printer" msgstr "Non connecté à une imprimante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Impression..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "En pause" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Préparation..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "Supprimez l'imprimante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Abandonner l'impression" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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 ?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Est imprimé comme support." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Interface" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Devise :" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Thème :" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Découper automatiquement" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportement Viewport" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Mettre en surbrillance les porte-à-faux" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Afficher les erreurs du modèle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Rendu caméra :" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspective" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Orthographique" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Ouvrir et enregistrer des fichiers" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +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:570 +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:575 +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:585 +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:590 +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:600 +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:605 +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:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Toujours me demander" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Toujours ouvrir comme projet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Toujours importer les modèles" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +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:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Confidentialité" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +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:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Plus d'informations" + +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Imprimante" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importer un matériau" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exporter un matériau" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Paramètres de recherche" +msgid "Check all" +msgstr "Vérifier tout" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Copier la valeur vers tous les extrudeurs" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrudeuse" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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é." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Masquer ce paramètre" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Masquer ce paramètre" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Afficher ce paramètre" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Ajouter une imprimante" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Activer l'impression" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Durée d'impression" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Profil" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Certaines valeurs de paramètre / forçage sont différentes des valeurs enregistrées dans le profil. \n" +"\n" +"Cliquez pour ouvrir le gestionnaire de profils." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Expérimental" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Remplissage graduel" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Support" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4897,32 +5141,32 @@ msgstr "" "\n" "Cliquez pour rendre ces paramètres visibles." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Touche" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Touché par" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 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 :" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4933,7 +5177,7 @@ msgstr "" "\n" "Cliquez pour restaurer la valeur du profil." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4944,714 +5188,308 @@ msgstr "" "\n" "Cliquez pour restaurer la valeur calculée." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Paramètres de recherche" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Masquer ce paramètre" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Masquer ce paramètre" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Vue de face" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Vue du dessus" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Vue gauche" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Vue droite" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extrudeuse" +msgid "View type" +msgstr "Type d'affichage" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Ajouter une imprimante cloud" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "En attente d'une réponse cloud" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Aucune imprimante trouvée dans votre compte ?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Annuler" +#: /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 :" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Préchauffer" +msgid "Add printer manually" +msgstr "Ajouter l'imprimante manuellement" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Matériau dans cet extrudeur." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Buse insérée dans cet extrudeur." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Plateau" +msgid "Manufacturer" +msgstr "Fabricant" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Température actuelle du plateau chauffant." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Contrôle de l'imprimante" +msgid "Profile author" +msgstr "Auteur du profil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Position de coupe" +msgid "Printer name" +msgstr "Nom de l'imprimante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Distance de coupe" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Envoyer G-Code" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "L'imprimante n'est pas connectée." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Est imprimé comme support." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Le chevauchement de remplissage avec ce modèle a été modifié." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Les chevauchements avec ce modèle ne sont pas pris en charge." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marché en ligne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Modifier" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensions" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&références" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Aide" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Nouveau projet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 -msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Ce paquet sera installé après le redémarrage." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Paramètres" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Fermeture de %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Voulez-vous vraiment quitter %1 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Installer le paquet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Ouvrir le(s) fichier(s)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" +msgid "Add a printer" msgstr "Ajouter une imprimante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:240 +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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Créez gratuitement un compte Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Ignorer" + +#: /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:28 +msgctxt "@label" msgid "What's New" -msgstr "Quoi de neuf" +msgstr "Nouveautés" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Ajouter une imprimante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gérer les imprimantes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Imprimantes connectées" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Imprimantes préréglées" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimation de durée" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimation du matériau" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Découpe en cours..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Impossible de découper" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Traitement" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Découper" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Démarrer le processus de découpe" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Annuler" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Aucune estimation de la durée n'est disponible" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Aucune estimation des coûts n'est disponible" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Aperçu" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Permet le branchement hot-plug et l'écriture sur lecteur amovible." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Plugin de périphérique de sortie sur disque amovible" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Configurations des mises à jour de Cura 4.2 vers Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Mise à jour de 4.2 vers 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Mise à niveau de 2.6 vers 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Configurations des mises à niveau de Cura 2.5 vers Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Mise à niveau de 2.5 vers 2.6" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Mise à niveau vers 2.1 vers 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Configurations des mises à niveau de Cura 4.3 vers Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Mise à niveau de 4.3 vers 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Configurations des mises à niveau de Cura 3.4 vers Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Mise à niveau de 3.4 vers 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Mise à niveau de version, de 2.7 vers 3.0" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Fournit la prise en charge de la lecture de fichiers X3D." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Lecteur X3D" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Fournit les paramètres par modèle." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Outil de paramètres par modèle" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Accepte les G-Code et les envoie à une imprimante. Ce plugin peut aussi mettre à jour le firmware." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "Impression par USB" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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é" - -#: 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é" +msgid "No items to select from" +msgstr "Aucun élément à sélectionner" #: ModelChecker/plugin.json msgctxt "description" @@ -5663,105 +5501,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Contrôleur de modèle" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Vérifie les mises à jour du firmware." +msgid "Provides support for reading 3MF files." +msgstr "Fournit la prise en charge de la lecture de fichiers 3MF." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Vérificateur des mises à jour du firmware" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Crée un maillage effaceur pour bloquer l'impression du support en certains endroits" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Effaceur de support" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Fournit une étape de préparation dans Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Étape de préparation" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "Lecteur 3MF" #: 3MFWriter/plugin.json msgctxt "description" @@ -5773,65 +5521,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "Générateur 3MF" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "Fournit la prise en charge de la lecture de fichiers AMF." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Information sur le découpage" +msgid "AMF Reader" +msgstr "Lecteur AMF" -#: 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Fournit la Vue simulation." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Fournit le lien vers l'arrière du système de découpage CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Vue simulation" - -#: 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" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "Système CuraEngine" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5843,15 +5561,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Lecteur de profil Cura" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Permet l'écriture de fichiers Ultimaker Format Package." +msgid "Provides support for exporting Cura profiles." +msgstr "Fournit la prise en charge de l'exportation de profils Cura." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "Générateur UFP" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -5873,15 +5661,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Lecteur d'images" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Sauvegardez et restaurez votre configuration." +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." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Sauvegardes Cura" +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" + +#: PerObjectSettingsTool/plugin.json +msgctxt "description" +msgid "Provides the Per Model Settings." +msgstr "Fournit les paramètres par modèle." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Outil de paramètres par modèle" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Fournit une étape de préparation dans Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Étape de préparation" + +#: 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" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Permet le branchement hot-plug et l'écriture sur lecteur amovible." + +#: RemovableDriveOutputDevice/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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Crée un maillage effaceur pour bloquer l'impression du support en certains endroits" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Effaceur de support" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Permet l'écriture de fichiers Ultimaker Format Package." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Générateur UFP" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Accepte les G-Code et les envoie à une imprimante. Ce plugin peut aussi mettre à jour le firmware." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "Impression par USB" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Mise à niveau vers 2.1 vers 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Configurations des mises à niveau de Cura 2.5 vers Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Mise à niveau de 2.5 vers 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Mise à niveau de 2.6 vers 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Configurations des mises à niveau de Cura 3.4 vers Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "Mise à niveau de 3.4 vers 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Configurations des mises à jour de Cura 4.2 vers Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Mise à jour de 4.2 vers 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Configurations des mises à niveau de Cura 4.3 vers Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Fournit la prise en charge de la lecture de fichiers X3D." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Lecteur X3D" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/fr_FR/fdmextruder.def.json.po b/resources/i18n/fr_FR/fdmextruder.def.json.po index 1d8ba7a960..88eef3e0b5 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 942f44de68..2947e3a990 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:16+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: French , French \n" @@ -3200,8 +3200,8 @@ msgstr "Distance de détour max. sans rétraction" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Lorsque cette distance n'est pas nulle, les déplacements de détour qui sont plus longs que cette distance utiliseront la rétraction." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6401,6 +6401,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Lorsque cette distance n'est pas nulle, les déplacements de détour qui sont plus longs que cette distance utiliseront la rétraction." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Appliquer le décalage de l'extrudeuse au système de coordonnées." diff --git a/resources/i18n/hu_HU/cura.po b/resources/i18n/hu_HU/cura.po index 9bcc1e16ca..f21a32653d 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2020-03-24 09:36+0100\n" "Last-Translator: Nagy Attila \n" "Language-Team: ATI-SZOFT\n" @@ -17,188 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.2.4\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Gépek betöltése ..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -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 "Az alábbi nyomtató (k) nem csatlakoztathatók, mert egy csoporthoz tartoznak" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nincs felülírva" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Felület beállítása..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Interfészek betöltése..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Figyelem" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Hiba" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Egyedi anyag" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Egyedi" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Ismeretlen" +msgid "Visual" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Egyedi anyag" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Egyedi" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Egyéni profil" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Összes támasz típus ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Minden fájl (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +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 +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 +msgctxt "@info:title" +msgid "Finding Location" +msgstr "Hely keresés" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Nem találok helyet" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:116 +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/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Biztonsági mentés" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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:146 +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:157 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/BuildVolume.py:98 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Építési térfogat" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Elérhető hálózati nyomtatók" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nincs felülírva" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "A Cura nem tud elindulni" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -213,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Hibajelentés küldése az Ultimaker -nek" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Hibajelentés részletei" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Konfigurációs mappa megnyitása" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Összeomlás jelentés" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -249,1092 +241,491 @@ 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" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Rendszer információ" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Ismeretlen" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura verzió" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Felület" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt verzió" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt verzió" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Még nincs inicializálva
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL Verzió: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL terjesztő: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Hibakövetés" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Naplók" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Jelentés küldés" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Sikertelen bejelentkezés" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Gépek betöltése ..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Felület beállítása..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Interfészek betöltése..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Figyelem" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Hiba" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +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:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Tárgyak elhelyezése" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Az Ultimaker fiókkiszolgáló elérhetetlen." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "A fájl már létezik" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Érvénytelen fájl URL:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Fúvóka" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Beállítások frissítve" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder(ek) kikapcsolva" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil exportálva ide: {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Sikeres export" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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ó." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Egyedi profil" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Hiányzik a profil minőségi típusa." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Új hely keresése az objektumokhoz" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Fúvóka" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Hely keresés" +msgid "Settings updated" +msgstr "Beállítások frissítve" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Nem találok helyet" +msgid "Extruder(s) Disabled" +msgstr "Extruder(ek) kikapcsolva" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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" +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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Elvet" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Csoport #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Bezár" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Következő" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Külső fal" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Belső falak" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Héj" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Kitöltés" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Támasz kitöltés" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Támasz interface" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Támasz" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Szoknya" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Elsődleges torony" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Átmozgás" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Visszahúzás" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Egyéb" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Hozzáad" +msgid "Next" +msgstr "Következő" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Elvet" +msgid "Skip" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 -msgctxt "@info:title" -msgid "Build Volume" -msgstr "Építési térfogat" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -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: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Biztonsági mentés" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Tárgyak többszörözése és elhelyezése" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Tárgyak elhelyezése" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Tárgy elhelyezése" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Mentés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Sikertelen mentés a {0}: {1} meghajtóra." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Mentve a {0} meghajtóra, mint {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Fájl Mentve" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /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 "Eject" -msgstr "Leválaszt" +msgid "Close" +msgstr "Bezár" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "{0} meghajtó leválasztása" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Hardver biztonságos eltávolítása" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Cserélhető meghajtó" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF fájl" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code Fájl" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Firmware frissítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D Fájl" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Elfogadás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Kiegészítő licencszerződés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Modellenkénti beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Modellenkénti beállítások konfigurálása" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Utólagos műveletek" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-kód módosítás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "Nem lehet szeletelni" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Réteg feldolgozás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:title" -msgid "Information" -msgstr "Információ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB nyomtatás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Nyomtatás USB-ről" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Nyomtatás USB-ről" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Csatlakozás USB-n" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Nyomtatás folyamatban" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura Profil" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Hálózati csatlakozás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -#, 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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 -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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 -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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 -msgctxt "@title:window" -msgid "Remove printers?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 -#, python-brace-format -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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "holnap" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "ma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Nyomtatási feladat küldése" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Nem csoport" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Csoport konfiguráció" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 -msgctxt "@info:status" -msgid "Send and monitor print jobs from anywhere using your Ultimaker account." -msgstr "Küldjön és felügyeljen nyomtatási feladatokat bárhonnan az Ultimaker fiókjával." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 -msgctxt "@info:status Ultimaker Cloud should not be translated." -msgid "Connect to Ultimaker Digital Factory" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 -msgctxt "@action" -msgid "Get started" -msgstr "Kezdjük el" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Nyomtatási hiba" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Hálózati hiba" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Anyagok küldése a nyomtatóra" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Adatok elküldve" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Frissítse a nyomtatót" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Hálózati nyomtatás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Csatlakozva hálózaton keresztül" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "Válassz frissítést" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Tárgyasztal szint" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Ajánlott" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Egyedi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Projekt fájl megnyitása" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF fájl" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Tömörített G-kód fájl" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3D-s modellsegéd" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1348,1346 +739,1490 @@ 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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /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/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "Projekt fájl megnyitása" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 +#, 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:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 +#, 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:698 +#, 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 +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." +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 +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:26 +msgctxt "@info:title" +msgid "Backups" +msgstr "Biztonsági mentések" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +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:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +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:68 +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:107 +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:64 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Bitonsági mentések kezelése" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +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:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "Nem lehet szeletelni" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#, 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:436 +#, 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:445 +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:454 +#, 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:463 +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:260 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /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 firmware available" msgstr "Új %s firmware elérhető" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Hogyan frissíts" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G fájl" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Firmware frissítés" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:501 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Támasz blokkoló" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA digitális eszközcsere" +msgid "G File" +msgstr "G fájl" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Bináris" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF beágyazott JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford háromszög formátum" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker formátumcsomag" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 profil" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Előkészítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Röntgen nézet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Hiba a 3mf fájl írásakor." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF fájl" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura projekt 3MF fájl" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Előnézet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Réteg nézet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Szimuláció nézet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Gép beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Felület nézet" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 msgctxt "@item:inlistbox" msgid "JPG Image" msgstr "JPG kép" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 msgctxt "@item:inlistbox" msgid "JPEG Image" msgstr "JPEG kép" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 msgctxt "@item:inlistbox" msgid "PNG Image" msgstr "PNG kép" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 msgctxt "@item:inlistbox" msgid "BMP Image" msgstr "BMP kép" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 msgctxt "@item:inlistbox" msgid "GIF Image" msgstr "GIF kép" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Biztonsági mentések" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "A biztonsági mentés feltöltése ..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "A biztonsági mentés feltöltése befejeződött." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Bitonsági mentések kezelése" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Firmware frissítés" - -#: /mnt/projects/ultimaker/cura/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 "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." - -#: /mnt/projects/ultimaker/cura/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 "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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automatikus firmware frissítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Egyedi firmware feltöltése" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Egyedi firmware kiválasztása" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Firmware frissítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "A firmware frissítése." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Firmware frissítés kész." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Áruház" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Következő" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Eltávolítás jóváhagyása" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Alapanyagok" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profilok" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Jóváhagy" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Közösségi hozzájárulások" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Közösségi bővítmények" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Általános anyagok" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Verzió" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Utosó frissítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Márka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Letöltések" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Weboldal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Email" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Bejelentkezés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Csomagok beolvasása..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Kompatibilitás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Gép" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Tárgyasztal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Támasz" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Minőség" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technikai adatlap" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Biztonsági adatlap" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Nyomtatási útmutató" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Weboldal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Kiegészítők" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Alapanyagok" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Telepítve" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Telepítés után újraindul" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Frissítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Frissítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Frissítve" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Leminősítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Eltávolítás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Telepítve" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Vissza" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Telepítés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Háló típus" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normál mód" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Támaszként nyomtassa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 profil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Beállítások kiválasztása" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Szűrés..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mindent mutat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Utó művelet beépülő" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Utó művelet szkript" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 msgctxt "@action" -msgid "Add a script" -msgstr "Adjon hozzá egy szkriptet" +msgid "Machine Settings" +msgstr "Gép beállítások" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 +#: /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 "Settings" -msgstr "Beállítások" +msgid "Per Model Settings" +msgstr "Modellenkénti beállítások" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." +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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Mentés" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Fájl Mentve" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Leválaszt" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Hardver biztonságos eltávolítása" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Szimuláció nézet" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Támasz blokkoló" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" +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:93 +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:89 +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 "Elfogadás" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Kiegészítő licencszerződés" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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:270 +#, 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:227 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Nyomtatási Sor" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Nyomtatások" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Teljes nyomtatási idő" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Várakozom" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Konfiguráció változások" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Felülírás" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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ó)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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ó)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Üveg" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alumínium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Elérhetetlen nyomtató" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Az első elérhető" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Csatlakozás hálózati nyomtatóhoz" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Szerkeszt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Eltávolít" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Frissít" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Típus" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Frimware verzió" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Cím" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Csatlakozás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Hibás IP cím" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Nyomtató cím" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Nyomtatás hálózaton" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Nyomtatás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Nyomtató kiválasztás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Lépj a tetjére" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Törlés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Folytat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Várakozás..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Folytatás..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Várakozás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Megszakítás..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Megszakít" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Nyomtatási feladat törlés" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Nyomtatás megszakítás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Megszakítva" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Befejezve" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Előkészítés..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Megszakítás..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Várakozás..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Várakozás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Folytatás..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Beavatkozás szükséges" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Befejezve %1 a %2 -ből" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Nyomtató kezelés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Betöltés..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Elérhetetlen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Elérhetetlen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Készenlét" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Felirat nélküli" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#, 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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Névtelen" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:316 +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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +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:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#, 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:337 msgctxt "@action:button" -msgid "Details" -msgstr "Részletek" +msgid "Keep printer configurations" +msgstr "" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Tálca szintezés" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Tálca szintezés indítása" +msgid "Remove printers" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#, 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:423 +#, 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:460 +msgctxt "@title:window" +msgid "Remove printers?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#, python-brace-format +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] "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +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:27 +msgctxt "@info:status" +msgid "Send and monitor print jobs from anywhere using your Ultimaker account." +msgstr "Küldjön és felügyeljen nyomtatási feladatokat bárhonnan az Ultimaker fiókjával." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +msgctxt "@info:status Ultimaker Cloud should not be translated." +msgid "Connect to Ultimaker Digital Factory" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +msgctxt "@action" +msgid "Get started" +msgstr "Kezdjük el" + +#: /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:35 +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 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Nyomtatás folyamatban" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D Fájl" + +#: /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 msgctxt "@title:window" msgid "Open Project" msgstr "Projekt megnyitása" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Összegzés - Cura Project" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Nyomtató beállítások" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Típus" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Nyomtató csoport" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Profil beállítások" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Név" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Nincs a profilban" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 felülírás" msgstr[1] "%1 felülírás" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Származék" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Alapanyag beállítások" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Beállítások láthatósága" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mód" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Látható beállítások:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 %2 -ből" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "A projekt betöltésekor minden modell törlődik a tárgyasztalról." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Megnyitás" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Többet szeretnél?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +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:100 +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:108 +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:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura biztonsági mentések" + +#: /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:199 +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 +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." + +#: /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 "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/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Automatikus firmware frissítés" + +#: /home/trin/Gedeeld/Projects/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/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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Kép konvertálás..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Magasság (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Alap (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Szélesség (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Mélység (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "A sötétebb a magasabb" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Fúvóka méret" + +#: /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" +msgstr "Nyomtatószál átmérő" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Fúvóka X eltolás" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Fúvóka Y eltolás" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Hűtőventilátorok száma" + +#: /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/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/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Nyomtató beállítás" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Szélesség)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Mélység)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Magasság)" + +#: /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" +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/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-kód zárás" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2700,709 +2235,2800 @@ msgstr "" "- Ellenőrizd, hogy a nyomtató csatlakozik a hálózathoz\n" "- Ellenőrizd, hogy fel vagy-e jelentkezve a felhőbe." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +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 "More information on anonymous data collection" -msgstr "További információ a névtelen adatgyűjtésről" +msgid "Select Settings to Customize for this model" +msgstr "A modellek egyéni beállításainak kiválasztása" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Szűrés..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mindent mutat" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Utó művelet beépülő" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +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 "Szín séma" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Alapanyag szín" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Vonal típus" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Átmozgás" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Segítők" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Héj" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Felső / Alsó" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Belső fal" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "max" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Fűvóka beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Fúvóka méret" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Nyomtatószál átmérő" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Fúvóka X eltolás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Fúvóka Y eltolás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Hűtőventilátorok száma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Extruder G-kód kezdés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Extruder G-kód zárás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Nyomtató" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Nyomtató beállítás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Szélesség)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Mélység)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Magasság)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Tárgyasztal alakja" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Origó középen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Fűtött asztal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Fűtött nyomtatási tér" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "G-kód illesztés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Nyomtatófej beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Szán magasság" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Extruderek száma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-kód kezdés" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-kód zárás" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Kép konvertálás..." +msgid "More information on anonymous data collection" +msgstr "További információ a névtelen adatgyűjtésről" -#: /mnt/projects/ultimaker/cura/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/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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /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 "Height (mm)" -msgstr "Magasság (mm)" +msgid "Technical Data Sheet" +msgstr "Technikai adatlap" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Alap (mm)" +msgid "Safety Data Sheet" +msgstr "Biztonsági adatlap" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Szélesség (mm)" +msgid "Printing Guidelines" +msgstr "Nyomtatási útmutató" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Mélység (mm)" +msgid "Website" +msgstr "Weboldal" -#: /mnt/projects/ultimaker/cura/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/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" -#: /mnt/projects/ultimaker/cura/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/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" -#: /mnt/projects/ultimaker/cura/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/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" -#: /mnt/projects/ultimaker/cura/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." +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /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 "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." +msgid "Go to Web Marketplace" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" msgstr "" -#: /mnt/projects/ultimaker/cura/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/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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Simítás" +#: /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 "" -#: /mnt/projects/ultimaker/cura/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/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" +msgid "Plugins" +msgstr "Kiegészítők" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Többet szeretnél?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Biztonsági mentés most" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Automatikus biztonsági mentés" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura verzió" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Gépek" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +msgctxt "@title:tab" msgid "Materials" msgstr "Alapanyagok" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" +#: /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 +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:178 +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" -#: /mnt/projects/ultimaker/cura/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/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Jóváhagy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Visszaállítás" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Biztonsági mentés törlés" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 +msgctxt "@label" +msgid "Website" +msgstr "Weboldal" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 +msgctxt "@label" +msgid "Email" +msgstr "Email" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Helyreállítás biztonsági mentésből" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 +msgctxt "@label" +msgid "Version" +msgstr "Verzió" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 +msgctxt "@label" +msgid "Last updated" +msgstr "Utosó frissítés" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Tálca szintezés" + +#: /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/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/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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura biztonsági mentések" +msgid "Connect to Networked Printer" +msgstr "Csatlakozás hálózati nyomtatóhoz" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" +#: /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/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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Nyomtatás hálózaton" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Nyomtatás" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Szeletelés..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Nem szeletelhető" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Feldolgozás" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Szeletelés" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Szeletelés indítása" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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:125 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "Kilép" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3D nézet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Előlnézet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Felülnézet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Bal oldalnézet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Jobb oldalnézet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Cura beállítása..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Nyomtató hozzáadása..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Nyomtatók kezelése..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Anyagok kezelése..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 +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:218 +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:230 +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:236 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Profilok kezelése..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Online &Dokumentumok megjelenítése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Hibajelentés" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Újdonságok" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Rólunk..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Modell törlés" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 +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:315 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Csoportosítás" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Csoport bontása" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Modellek keverése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Modell többszörözés..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Mindent kijelöl" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Tárgyasztal törlése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Mindent újratölt" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 +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:398 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Minden modell rendezése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Kijelöltek rendezése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 +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:420 +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:429 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "Fájl(ok) megnyitása..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "Új projekt..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 +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:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 +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:460 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Piactér" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Ez a csomag újraindítás után fog települni." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 +msgctxt "@title:tab" +msgid "General" +msgstr "Általános" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Beállítások" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Nyomtatók" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profilok" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Csomag telepítése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Fájl(ok) megnyitása" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Nyomtató hozzáadása" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Újdonságok" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "version: %1" +msgstr "verzió: %1" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Graphical user interface" +msgstr "Grafikai felhasználói interfész" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "G-code generator" +msgstr "G-kód generátor" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Programming language" +msgstr "Programozási nyelv" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUI keretrendszer függőségek" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Data interchange format" +msgstr "Adat csere formátum" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "ZeroConf felderítő könyvtár" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "Betűtípus" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Projekt fájl megnyitása" + +#: /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 "Ez egy Cura projekt fájl. Szeretné projektként megnyitni, vagy importálni a modelleket?" + +#: /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 +msgctxt "@action:button" +msgid "Open as project" +msgstr "Megnyitás projektként" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +msgctxt "@action:button" +msgid "Import models" +msgstr "Modellek importálása" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +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:57 +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:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Profil beállítások" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" +msgid "Always ask me this" +msgstr "Mindig kérdezz" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +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:160 +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:197 +msgctxt "@action:button" +msgid "Discard changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Importáljunk mindent modellekként" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Projekt mentése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & alapanyag" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" msgid "Material" msgstr "Alapanyag" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Kedvencek" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Generikus" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Mentés" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "S&zerkesztés" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Kiválasztás exportálása..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Legutóbbi fájlok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Konfiguráció kiválasztása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfigurációk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfigurációk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Egyéni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Nyomtató" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Bekapcsolt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Alapanyag" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Piactér" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Az elérhető konfigurációk betöltése a nyomtatóról..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Kamera helyzet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Kamera nézet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektívikus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Merőleges" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Tárgyasztal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Hálózati nyomtatók" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Helyi nyomtatók" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Láthatósági beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Beállítások láthatóságának kezelése..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 msgctxt "@title:menu menubar:toplevel" msgid "&Settings" msgstr "&Beállítások" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Nyomtató" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "K&iterjesztések" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Alapanyag" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referenciák" -#: /mnt/projects/ultimaker/cura/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/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Segítség" -#: /mnt/projects/ultimaker/cura/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/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Új projekt" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Extruder letiltása" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 +msgctxt "@action:button" +msgid "Marketplace" +msgstr "Piactér" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:27 +#: /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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Konfiguráció kiválasztása" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 msgctxt "@label" msgid "Number of Copies" msgstr "Másolatok száma" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +#: /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:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Interfész" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Pénznem:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Téma:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatikus szeletelés" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "A nézetablak viselkedése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Túlnyúlás kijelzése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspetívikus" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Merőleges" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +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:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Nagy modellek átméretezése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +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:600 +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:605 +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:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Mindig kérdezz" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +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:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Importálja a modelleket" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +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:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Magán" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +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:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Több információ" + +#: /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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Nyomtató" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Alapanyag importálás" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Alapanyag export" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Nyomtató hozzáadása" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Aktív nyomtatás" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Nyomtatási idő" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/trin/Gedeeld/Projects/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" @@ -3413,1615 +5039,84 @@ msgstr "" "\n" "Kattints, hogy megnyisd a profil menedzsert." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Be" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +msgctxt "@label:header" +msgid "Custom profiles" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Ki" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Tapasztalati" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Ajánlott" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Egyéni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Nyomtatási beállítások" - -#: /mnt/projects/ultimaker/cura/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ó." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Fokozatos kitöltés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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é." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profilok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Támasz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Letapadás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/trin/Gedeeld/Projects/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] "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "" +#: /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ó." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Aktív nyomtatás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Feladat név" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Nyomtatási idő" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Becsült hátralévő idő" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Változtatások megtartása vagy eldobása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Profil beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Mindig kérdezz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Eldobás és ne kérdezze újra" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Megtartás és ne kérdezze újra" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "verzió: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Grafikai felhasználói interfész" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Alkalmazás keretrendszer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "G-kód generátor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Folyamatközi kommunikációs könyvtár" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Programozási nyelv" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI keretrendszer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUI keretrendszer függőségek" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C/C++ függőségek könyvtár" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Adat csere formátum" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Soros kommunikációs könyvtár" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConf felderítő könyvtár" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Poligon daraboló könyvtár" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Betűtípus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG ikonok" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Fájl(ok) megnyitása" - -#: /mnt/projects/ultimaker/cura/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 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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importáljunk mindent modellekként" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Projekt mentése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & alapanyag" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Alapanyag" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Mentés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Projekt fájl megnyitása" - -#: /mnt/projects/ultimaker/cura/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 "Ez egy Cura projekt fájl. Szeretné projektként megnyitni, vagy importálni a modelleket?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Emlékezzen a választásra" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 -msgctxt "@action:button" -msgid "Open as project" -msgstr "Megnyitás projektként" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Modellek importálása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Névtelen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Üdvözöljük az Ultimaker Cura-ban" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 msgctxt "@button" -msgid "Get started" -msgstr "Kezdj hozzá" +msgid "Recommended" +msgstr "Ajánlott" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Üres" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Géptípusok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Anyagfelhasználás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Szeletek száma" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Nyomtatási beállítások" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Több információ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Nyomtató hozzáadása IP címmel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 msgctxt "@button" -msgid "Add" -msgstr "Hozzáad" +msgid "Custom" +msgstr "Egyéni" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +#: /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:33 msgctxt "@label" -msgid "Could not connect to device." -msgstr "Nem sikerült csatlakozni az eszközhöz." +msgid "Experimental" +msgstr "Tapasztalati" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "" +msgid "Adhesion" +msgstr "Letapadás" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 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." +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 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." +msgid "Gradual infill" +msgstr "Fokozatos kitöltés" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Vissza" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Csatlakozás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 msgctxt "@label" -msgid "Add a printer" -msgstr "Nyomtató hozzáadása" +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é." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 +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 msgctxt "@label" -msgid "Add a networked printer" -msgstr "Hálózati nyomtató hozzáadása" +msgid "Support" +msgstr "Támasz" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Helyi nyomtató hozzáadása" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 -msgctxt "@label" -msgid "What's New" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Felhasználói Szerződés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Elutasítás és bezárás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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ó." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Frissítés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Nyomtató hozzáadása IP címmel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Hibaelhárítás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Nyomtató név" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Bejelentkezés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Objektum lista" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Mutassa az online hibaelhárítási útmutatót" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Teljes képernyőre váltás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Kilépés a teljes képernyőn" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Visszavon" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Újra" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "Kilép" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3D nézet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Előlnézet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Felülnézet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Bal oldalnézet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Jobb oldalnézet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Cura beállítása..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Nyomtató hozzáadása..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Nyomtatók kezelése..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Anyagok kezelése..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Jelenlegi változtatások eldobása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 -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..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Profilok kezelése..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Online &Dokumentumok megjelenítése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Hibajelentés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Újdonságok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Rólunk..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Modell törlés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "&Középső modell a platformon" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Csoportosítás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Csoport bontása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Modellek keverése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Modell többszörözés..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Mindent kijelöl" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Tárgyasztal törlése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Mindent újratölt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Minden modell elrendezése a tárgyasztalon" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Minden modell rendezése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Kijelöltek rendezése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Minden modellpozíció visszaállítása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Minden modelltranszformáció visszaállítása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "Fájl(ok) megnyitása..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "Új projekt..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Konfigurációs mappa megjelenítése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Beállítások láthatóságának beállítása..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Piactér" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Számított" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Beállítás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Jelenlegi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Egység" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Információ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Új átmérő megerősítése" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Megjelenítendő név" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Alapanyag típus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Szín" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Tulajdonságok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Sűrűség" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Átmérő" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Nyomtatószál költség" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Nyomtatószál súly" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Nyomtatószál hossz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Költség / méter" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Alapanyag leválasztása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Leírás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Tapadási információ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivál" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Létrehoz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Másolat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Import" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Export" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Nyomtató" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Eltávolítás megerősítése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 -#: /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Alapanyag importálás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Sikeres alapanyag import %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Alapanyag export" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Sikertelen alapanyag export %1: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Sikeres alapanyag export %1 -ba" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Nyomtatók" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Átnevezés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profilok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Létrehozás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Másolás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profil készítés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Adjon nevet ehhez a profilhoz." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profil másolása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profil átnevezés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profil importálás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profil exportálás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Nyomtató: %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Általános beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Láthatóság beállítása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Mindent ellenőrizni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 -msgctxt "@title:tab" -msgid "General" -msgstr "Általános" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 -msgctxt "@label" -msgid "Interface" -msgstr "Interfész" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 -msgctxt "@label" -msgid "Currency:" -msgstr "Pénznem:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 -msgctxt "@label" -msgid "Theme:" -msgstr "Téma:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Automatikus újraszeletelés, ha a beállítások megváltoznak." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatikus szeletelés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "A nézetablak viselkedése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Túlnyúlás kijelzése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Kamera középre, mikor az elem ki van választva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Megfordítsuk-e az alapértelmezett Zoom viselkedését?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Fordítsa meg a kamera zoom irányát." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Nagyítás az egér mozgás irányában" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "A modellek egymástól való távtartásának biztosítása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Modellek automatikus tárgyasztalra illesztése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Figyelmeztető üzenet megjelenítése g-kód olvasóban." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Figyelmeztető üzenet a g-code olvasóban" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Kényszerítsük a réteget kompatibilitási módba ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -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)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Milyen fípusú fényképezőgépet használunk?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Perspetívikus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Merőleges" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Fájlok megnyitása és mentése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Nagy modellek átméretezése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Extrém kicsi modellek átméretezése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Betöltés után a modellek legyenek kiválasztva?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Modell kiválasztása betöltés után" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Gépnév előtagként a feladatnévben" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Mutassuk az összegzést a projekt mentésekor?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Összegzés megjelenítése projekt mentésekor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Mindig kérdezz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Projektként való megnyitás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Importálja a modelleket" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Megváltozott beállítások elvetése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Megváltozott beállítások alkalmazása az új profilba" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Magán" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Keressen frissítéseket az induláskor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Név nélküli információ küldés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "Több információ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "Nézet típus" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Nincs nyomtatóhoz csatlakoztatva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "A nyomtató nem fogadja a parancsokat" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Elveszett a kapcsolat a nyomtatóval" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Nyomtatás..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Felfüggsztve" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Előkészítés..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Távolítsa el a tárgyat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Nyomtatás megszakítás" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 -msgctxt "@label:textbox" -msgid "Search settings" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Értékek másolása minden extruderre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -msgstr "Minden változott érték másolása minden extruderre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Beállítás elrejtése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Ne jelenítsd meg ezt a beállítást" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Beállítás látható marad" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -5032,32 +5127,32 @@ msgstr "" "\n" "Kattints, hogy ezek a beállítások láthatók legyenek." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Befolyásolások" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Befolyásolja" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5068,7 +5163,7 @@ msgstr "" "\n" "Kattintson a profil értékének visszaállításához." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5079,718 +5174,307 @@ msgstr "" "\n" "Kattintson, hogy visszaállítsuk a kalkulált értéket." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Beállítás elrejtése" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +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:531 +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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extruder" +msgid "View type" +msgstr "Nézet típus" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Elvet" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Előfűtés" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Az alapanyag ebben az extruderben." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Tárgyasztal" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Nyomtató vezérlés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Léptetőgomb pozíció" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Léptetőgomb távolság" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "G-kód küldés" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "A nyomtató nincs csatlakoztatva." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 -msgctxt "@label" -msgid "Is printed as support." +msgid "Add printer manually" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Other models overlapping with this model are modified." +msgid "Manufacturer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Infill overlapping with this model is modified." +msgid "Profile author" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Overlaps with this model are not supported." +msgid "Printer name" +msgstr "Nyomtató név" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Piactér" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "S&zerkesztés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "K&iterjesztések" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referenciák" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Segítség" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Új projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Ez a csomag újraindítás után fog települni." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Beállítások" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Csomag telepítése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Fájl(ok) megnyitása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" +msgid "Add a printer" msgstr "Nyomtató hozzáadása" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:240 +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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +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:28 +msgctxt "@label" msgid "What's New" -msgstr "Újdonságok" - -#: /mnt/projects/ultimaker/cura/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 "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Nyomtató hozzáadása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Nyomtatók kezelése" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Csatlakoztatott nyomtatók" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Előre beállított nyomtatók" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Időbecslés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Anyag becslés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Szeletelés..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Nem szeletelhető" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Feldolgozás" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Szeletelés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Szeletelés indítása" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Elvet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Nincs időbecslés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Nincs költségbecslés" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Előnézet" - -#: RemovableDriveOutputDevice/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." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Cserélhető meghajtók kimeneti beépülője" - -#: 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" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgid "No items to select from" msgstr "" -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "A konfigurációk frissítése Cura 4.2-ről Cura 4.3-ra." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "A 4.2-es verzió frissítése 4.3-ra" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "A 2.6-os verzió frissítése 2.7-re" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Frissíti a konfigurációt Cura 2.5-ről Cura 2.6-ra." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "A 2.5-es verzió frissítése 2.6-ra" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "A 2.1-es verzió frissítése 2.2-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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "" - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "A konfigurációt Cura 3.4-ről Cura 3.5-re frissíti." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "A 3.4-es verzió frissítése 3.5-re" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "A 2.7-es verzió frissítése 3.0-ra" - -#: 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ó" - -#: 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ó" - -#: 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ő" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Támogatást nyújt az X3D fájlok olvasásához." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3D Olvasó" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Biztosítja a modellenkénti beállításokat." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Modellenkénti beállítás-eszköz" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Elfogadja a G-kódot és elküldi őket egy nyomtatóra. A plugin a firmware-t is frissítheti." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB nyomtatá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ó" - -#: 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" - -#: 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" - -#: 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ó" - -#: 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ó" - -#: 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ó" - #: ModelChecker/plugin.json msgctxt "description" msgid "Checks models and print configuration for possible printing issues and give suggestions." @@ -5801,105 +5485,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Modell-ellenőrző" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Ellenőrzi a firmware frissítéseket." +msgid "Provides support for reading 3MF files." +msgstr "Támogatást nyújt a 3MF fájlok olvasásához." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Frimrware frissítés ellenőrző" - -#: 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ó" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Törlő hálót hoz létre, hogy bizonyos helyeken blokkolja a támasz nyomtatását" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Támasz törlő" - -#: 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ó" - -#: 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 "" - -#: 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ó" - -#: 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ó" - -#: PrepareStage/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." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Előkészítés nézet" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "3MF olvasó" #: 3MFWriter/plugin.json msgctxt "description" @@ -5911,65 +5505,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF író" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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ó." +msgid "Provides support for reading AMF files." +msgstr "Támogatást nyújt az AMF fájlok olvasásához." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Szeletelési infó" +msgid "AMF Reader" +msgstr "AMF 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Szimulációs nézetet biztosít." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Biztosítja a kapcsolatot a CuraEngine szeletelő motorhoz." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Szimulációs nézet" - -#: 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 "" - -#: 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" - -#: 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" +msgid "CuraEngine Backend" +msgstr "CuraEngine motor" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5981,15 +5545,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Cura profil olvasó" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Támogatást nyújt az Ultimaker formátumú csomagok írásához." +msgid "Provides support for exporting Cura profiles." +msgstr "Támogatást nyújt a Cura profilok exportálásához." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UFP Író" +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" @@ -6011,15 +5645,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Kép olvasó" -#: CuraDrive/plugin.json +#: LegacyProfileReader/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." +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." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura biztonsági mentések" +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" + +#: PerObjectSettingsTool/plugin.json +msgctxt "description" +msgid "Provides the Per Model Settings." +msgstr "Biztosítja a modellenkénti beállításokat." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Modellenkénti beállítás-eszköz" + +#: 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" + +#: PrepareStage/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." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Előkészítés nézet" + +#: 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" + +#: RemovableDriveOutputDevice/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." + +#: RemovableDriveOutputDevice/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" +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" +msgstr "Törlő hálót hoz létre, hogy bizonyos helyeken blokkolja a támasz nyomtatását" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Támasz törlő" + +#: 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" + +#: 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ó" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Támogatást nyújt az Ultimaker formátumú csomagok írásához." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UFP Író" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Elfogadja a G-kódot és elküldi őket egy nyomtatóra. A plugin a firmware-t is frissítheti." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB nyomtatás" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "A 2.1-es verzió frissítése 2.2-re" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Frissíti a konfigurációt Cura 2.5-ről Cura 2.6-ra." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +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 +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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "A 2.6-os verzió frissítése 2.7-re" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "A konfigurációt Cura 3.4-ről Cura 3.5-re frissíti." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +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 +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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "A konfigurációk frissítése Cura 4.2-ről Cura 4.3-ra." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "A 4.2-es verzió frissítése 4.3-ra" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Támogatást nyújt az X3D fájlok olvasásához." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D Olvasó" + +#: 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" + +#: 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" #~ msgctxt "@label:listbox" #~ msgid "Layer thickness" diff --git a/resources/i18n/hu_HU/fdmextruder.def.json.po b/resources/i18n/hu_HU/fdmextruder.def.json.po index e83acb2880..a1638741a5 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 31eeb253f7..6720c0c58d 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2020-03-24 09:43+0100\n" "Last-Translator: Nagy Attila \n" "Language-Team: AT-VLOG\n" @@ -3201,8 +3201,8 @@ msgstr "Maximum fésű táv visszahúzás nélkül" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Ha ez az érték nem nulla, akkor a megadott értéktől hosszabb utazáskor nyomtatószál visszahúzás fog történni." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6400,6 +6400,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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Ha ez az érték nem nulla, akkor a megadott értéktől hosszabb utazáskor nyomtatószál visszahúzás fog történni." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Alkalmazza az extruder eltolását a koordinátarendszerre vonatkoztatva." diff --git a/resources/i18n/it_IT/cura.po b/resources/i18n/it_IT/cura.po index c9807b0e05..11a5a35283 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Italian , Italian \n" @@ -17,169 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Caricamento macchine in corso..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Impostazione delle preferenze..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Inizializzazione Active Machine in corso..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Stampanti disponibili in rete" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Inizializzazione gestore macchina in corso..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Non sottoposto a override" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Inizializzazione volume di stampa in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Impostazione scena in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Caricamento interfaccia in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Inizializzazione motore in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Avvertenza" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Errore" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Rimuovere {0}? Questa operazione non può essere annullata!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Materiale personalizzato" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizzata" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Sconosciuto" +msgid "Visual" +msgstr "Visivo" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Materiale personalizzato" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizzata" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Profili personalizzati" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Tutti i tipi supportati ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Tutti i file (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Visivo" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Login non riuscito" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Ricerca nuova posizione per gli oggetti" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "Ricerca posizione" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Bozza" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Impossibile individuare posizione" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Impossibile creare un archivio dalla directory dei dati utente: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Stampanti disponibili in rete" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Non sottoposto a override" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume di stampa" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Impossibile avviare Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -194,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Inviare il rapporto su crash a Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Mostra il rapporto su crash dettagliato" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostra cartella di configurazione" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Backup e reset configurazione" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Rapporto su crash" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -230,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informazioni di sistema" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Sconosciuto" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versione Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Lingua Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Lingua sistema operativo" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Piattaforma" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versione Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versione PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Non ancora inizializzato
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versione OpenGL: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Fornitore OpenGL: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Renderer OpenGL: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Analisi errori" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Registri" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Invia report" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Login non riuscito" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Caricamento macchine in corso..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Impostazione delle preferenze..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Inizializzazione Active Machine in corso..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Inizializzazione gestore macchina in corso..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Inizializzazione volume di stampa in corso..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Impostazione scena in corso..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Caricamento interfaccia in corso..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Inizializzazione motore in corso..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Avvertenza" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Errore" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Moltiplicazione e collocazione degli oggetti" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Sistemazione oggetti" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Impossibile raggiungere il server account Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Il file esiste già" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "File URL non valido:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Ugello" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Impostazioni aggiornate" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Estrusore disabilitato" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profilo esportato su {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Esportazione riuscita" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Profilo {0} importato correttamente." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Il file {0} non contiene nessun profilo valido." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Profilo personalizzato" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Il profilo è privo del tipo di qualità." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Non ci sono ancora stampanti attive." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Impossibile aggiungere il profilo." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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}'." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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à." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "Non supportato" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Ricerca nuova posizione per gli oggetti" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Ugello" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Ricerca posizione" +msgid "Settings updated" +msgstr "Impostazioni aggiornate" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Impossibile individuare posizione" +msgid "Extruder(s) Disabled" +msgstr "Estrusore disabilitato" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Annulla" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Gruppo #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Salta" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Chiudi" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Avanti" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Fine" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Parete esterna" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Pareti interne" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Rivestimento esterno" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Riempimento" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Riempimento del supporto" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Interfaccia supporto" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Supporto" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Skirt" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Torre di innesco" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Spostamenti" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Retrazioni" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Altro" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Aggiungi" +msgid "Next" +msgstr "Avanti" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Annulla" +msgid "Skip" +msgstr "Salta" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume di stampa" +msgid "3D Model Assistant" +msgstr "Assistente modello 3D" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Impossibile creare un archivio dalla directory dei dati utente: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Moltiplicazione e collocazione degli oggetti" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Sistemazione oggetti" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Sistemazione oggetto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Salva su unità rimovibile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Salva su unità rimovibile {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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!" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Salvataggio su unità rimovibile {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Salvataggio in corso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Impossibile salvare su unità rimovibile {0}: {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Salvato su unità rimovibile {0} come {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "File salvato" +msgid "Open Project File" +msgstr "Apri file progetto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Rimuovi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Rimuovi il dispositivo rimovibile {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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à." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Rimozione sicura dell'hardware" +msgid "Can't Open Project File" +msgstr "Impossibile aprire il file di progetto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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à." +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Unità rimovibile" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "File 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "File 3MF Progetto Cura" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "File AMF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "File G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Aggiornamento firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "File X3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Non accetto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Accetta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Accordo di licenza plugin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Rifiuta e rimuovi dall'account" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "Impossibile scaricare i plugin {}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Sincronizzazione in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Modifiche rilevate dal tuo account Ultimaker" +msgid "Backups" +msgstr "Backup" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Si è verificato un errore durante il caricamento del backup." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Creazione del backup in corso..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizza" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Si è verificato un errore durante la creazione del backup." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Impostazioni per modello" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Caricamento backup in corso..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Caricamento backup completato." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Post-elaborazione" +msgid "Manage backups" +msgstr "Gestione backup" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modifica codice G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Sezionamento impossibile" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -894,75 +923,465 @@ msgstr "" "- Sono assegnati a un estrusore abilitato\n" "- Non sono tutti impostati come maglie modificatore" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Informazioni" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Stampa USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Stampa tramite USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Stampa tramite USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Connesso tramite USB" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Stampa in corso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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 "Profilo Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Collega tramite rete" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Non è possibile accedere alle informazioni di aggiornamento." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "È possibile che per {machine_name} siano disponibili nuove funzionalità o bug fix. Se non si dispone della versione più recente, è consigliabile aggiornare il firmware della stampante alla versione {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 firmware available" +msgstr "Nuovo firmware %s disponibile" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Salvataggio in corso" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "File salvato" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Rimuovi" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Rimozione sicura dell'hardware" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Vista simulazione" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Nessun layer da visualizzare" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Ulteriori informazioni" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/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 "Pacchetto formato 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 "Impossibile scrivere nel file UFP:" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Livella piano di stampa" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Seleziona aggiornamenti" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Stampa tramite cloud" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -970,70 +1389,71 @@ msgid_plural "... and {0} others" msgstr[0] "... e {0} altra" msgstr[1] "... e altre {0}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Stampanti aggiunte da Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Per stabilire una connessione, visitare {website_link}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Mantenere le configurazioni delle stampanti" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Rimuovere le stampanti" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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}?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Rimuovere le stampanti?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1049,7 +1469,7 @@ msgstr[1] "" "Si stanno per rimuovere {0} stampanti da Cura. Questa azione non può essere annullata.\n" "Continuare?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1058,1530 +1478,761 @@ msgstr "" "Si stanno per rimuovere tutte le stampanti da Cura. Questa azione non può essere annullata. \n" "Continuare?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Stampa tramite cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Stampa tramite cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Collegato tramite cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "domani" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "oggi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Invio di un processo di stampa" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Non host del gruppo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurare il gruppo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Invia e controlla i processi di stampa ovunque con l’account Ultimaker." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Effettuare la connessione a Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Per iniziare" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Attendere che sia stato inviato il processo corrente." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Errore di stampa" +msgid "Update your printer" +msgstr "Aggiornare la stampante" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Errore di rete" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Coda piena" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Dati inviati" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Aggiornare la stampante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Stampa sulla rete" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 msgctxt "@info:status" msgid "Connected over the network" msgstr "Collegato alla rete" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Seleziona aggiornamenti" +msgid "Connect via Network" +msgstr "Collega tramite rete" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Livella piano di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Consigliata" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizzata" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Apri file progetto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Impossibile aprire il file di progetto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "File 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "File G-Code compresso" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistente modello 3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "domani" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Non è possibile accedere alle informazioni di aggiornamento." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "È possibile che per {machine_name} siano disponibili nuove funzionalità o bug fix. Se non si dispone della versione più recente, è consigliabile aggiornare il firmware della stampante alla versione {latest_version}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Nuovo firmware %s disponibile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Modalità di aggiornamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "File G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Parsing codice G" +msgid "today" +msgstr "oggi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Dettagli codice G" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Stampa USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Stampa tramite USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Blocco supporto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Crea un volume in cui i supporti non vengono stampati." +msgid "Print via USB" +msgstr "Stampa tramite USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Connesso tramite USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Stampa in corso" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "File X3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Pacchetto formato Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profili Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Prepara" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Controlla" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Vista ai raggi X" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Errore scrittura file 3MF." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "File 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "File 3MF Progetto Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Plug-in Writer 3MF danneggiato." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Anteprima" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Visualizzazione strato" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Vista simulazione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Non viene visualizzato nulla poiché è necessario prima effetuare lo slicing." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Nessun layer da visualizzare" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Non mostrare nuovamente questo messaggio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Impostazioni macchina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Visualizzazione compatta" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Errori modello" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Ulteriori informazioni" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Impossibile scrivere nel file UFP:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Preparare il codice G prima dell’esportazione." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Immagine JPG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Immagine JPEG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Immagine PNG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Immagine BMP" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Immagine GIF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Si è verificato un errore cercando di ripristinare il backup." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Backup" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Si è verificato un errore durante il caricamento del backup." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Creazione del backup in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Si è verificato un errore durante la creazione del backup." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Caricamento backup in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Caricamento backup completato." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Il backup supera la dimensione file massima." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gestione backup" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aggiornamento firmware" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Aggiorna automaticamente il firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Carica il firmware personalizzato" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Seleziona il firmware personalizzato" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aggiornamento del firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aggiornamento firmware." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aggiornamento del firmware completato." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Aggiornamento firmware non riuscito per firmware mancante." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Mercato" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Modifiche dall'account" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Rimuovi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Avanti" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Verranno aggiunti i seguenti pacchetti:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Conferma disinstalla" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiali" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profili" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Conferma" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contributi della comunità" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Plugin della comunità" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiali generici" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Ultimo aggiornamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marchio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Download" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Plugin installati" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Non è stato installato alcun plugin." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiali installati" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Non è stato installato alcun materiale." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Plugin inseriti nel bundle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiali inseriti nel bundle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Sito web" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Accedi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Recupero dei pacchetti..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilità" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Macchina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Piano di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Supporto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualità" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Scheda dati tecnici" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Scheda dati di sicurezza" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Linee guida di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Sito web" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plugin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiali" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Installa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Vai al Marketplace web" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "L'installazione sarà eseguita al riavvio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Aggiorna" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aggiornamento in corso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Aggiornamento eseguito" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgrade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Disinstalla" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Installa" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Cerca materiali" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Chiudere %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Indietro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installazione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo di maglia" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modello normale" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Stampa come supporto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificare le impostazioni per le sovrapposizioni" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Non supportano le sovrapposizioni" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Solo maglia di riempimento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Ritaglio mesh" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Seleziona impostazioni" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtro..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mostra tutto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plug-in di post-elaborazione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Script di post-elaborazione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Aggiungi uno script" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Impostazioni" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Modificare gli script di post-elaborazione attivi." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Coda di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gestisci nel browser" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Processi di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tempo di stampa totale" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "In attesa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Modifiche configurazione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Override" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Vetro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alluminio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Stampante non disponibile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primo disponibile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Collega alla stampante in rete" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Modifica" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Rimuovi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Aggiorna" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versione firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Indirizzo" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Collega" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Indirizzo IP non valido" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Inserire un indirizzo IP valido." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Indirizzo stampante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Stampa sulla rete" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Selezione stampante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Sposta in alto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Cancella" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Riprendi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Messa in pausa..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Ripresa in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Interr. in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Interrompi" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Cancella processo di stampa" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Interrompi la stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Interrotto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Terminato" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Preparazione in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Interr. in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Messa in pausa..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "In pausa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Ripresa in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Richiede un'azione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Finisce %1 a %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gestione stampanti" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Caricamento in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Non disponibile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Non raggiungibile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Ferma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Stampa in corso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Senza titolo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonimo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Richiede modifiche di configurazione" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Dettagli" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Livellamento del piano di stampa" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Avvio livellamento del piano di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Spostamento alla posizione successiva" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Apri progetto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Aggiorna esistente" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Crea nuovo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Riepilogo - Progetto Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Impostazioni della stampante" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Gruppo stampanti" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Impostazioni profilo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Nome" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Non nel profilo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 override" msgstr[1] "%1 override" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivato da" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Impostazioni materiale" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Impostazione visibilità" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modalità" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Impostazioni visibili:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 su %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Il caricamento di un progetto annulla tutti i modelli sul piano di stampa." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Apri" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Ulteriori informazioni?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Cancella backup" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Ripristina backup" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Backup Cura" + +#: /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:199 +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 +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/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 "Il firmware inviato a corredo delle nuove stampanti funziona, tuttavia le nuove versioni tendono ad avere più funzioni ed ottimizzazioni." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Aggiorna automaticamente il firmware" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Carica il firmware personalizzato" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Converti immagine..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Altezza (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Base (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Larghezza (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Profondità (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Più scuro è più alto" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Traslucenza" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "Trasmittanza di 1 mm (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Stampante" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Impostazioni ugello" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Dimensione ugello" + +#: /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" +msgstr "Diametro del materiale compatibile" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Scostamento X ugello" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Scostamento Y ugello" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Numero ventola di raffreddamento" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Codice G avvio estrusore" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Larghezza)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profondità)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Altezza)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma del piano di stampa" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origine al centro" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Piano riscaldato" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume di stampa riscaldato" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Versione codice G" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Impostazioni della testina di stampa" + +#: /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 "Altezza gantry" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Numero di estrusori" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Applica offset estrusore a gcode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Codice G avvio" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Codice G fine" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2594,817 +2245,1597 @@ msgstr "" "- Controllare se la stampante è collegata alla rete.\n" "- Controllare se è stato effettuato l'accesso per rilevare le stampanti collegate al cloud." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Collegare la stampante alla rete." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Visualizza i manuali utente online" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Solo maglia di riempimento" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Ritaglio mesh" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Seleziona impostazioni" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Maggiori informazioni sulla raccolta di dati anonimi" +msgid "Select Settings to Customize for this model" +msgstr "Seleziona impostazioni di personalizzazione per questo modello" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtro..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mostra tutto" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Plug-in di post-elaborazione" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Modificare gli script di post-elaborazione attivi." + +#: /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] "È attivo il seguente script:" +msgstr[1] "Sono attivi i seguenti script:" + +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Colore materiale" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Tipo di linea" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Velocità" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Spessore layer" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Larghezza della linea" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Modalità di compatibilità" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Spostamenti" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Helper" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Guscio" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Avvia" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Mostra solo strati superiori" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Superiore / Inferiore" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Parete interna" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "max." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Impostazioni ugello" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Dimensione ugello" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diametro del materiale compatibile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Scostamento X ugello" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Scostamento Y ugello" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Numero ventola di raffreddamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Codice G avvio estrusore" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Codice G fine estrusore" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Stampante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Impostazioni della stampante" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Larghezza)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profondità)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Altezza)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma del piano di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Origine al centro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Piano riscaldato" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume di stampa riscaldato" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Versione codice G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Impostazioni della testina di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Altezza gantry" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Numero di estrusori" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Applica offset estrusore a gcode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Codice G avvio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Codice G fine" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Converti immagine..." +msgid "More information on anonymous data collection" +msgstr "Maggiori informazioni sulla raccolta di dati anonimi" -#: /mnt/projects/ultimaker/cura/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/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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Altezza (mm)" +#: /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" -#: /mnt/projects/ultimaker/cura/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/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Consenti l'invio di dati anonimi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Base (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Larghezza (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Profondità (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Più scuro è più alto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Più chiaro è più alto" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Lineare" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Traslucenza" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "Trasmittanza di 1 mm (%)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Smoothing" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "I miei backup" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Ulteriori informazioni?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Esegui backup adesso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Backup automatico" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versione Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Macchine" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiali" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profili" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plugin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Ripristina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Cancella backup" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Ripristina backup" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Backup Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Materiale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Preferiti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Generale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&File" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Salva progetto..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Esporta..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Esporta selezione..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Ap&ri recenti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Seleziona configurazione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurazioni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurazioni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizzata" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Stampante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Abilitato" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mercato" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Caricamento in corso configurazioni disponibili dalla stampante..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Le configurazioni non sono disponibili perché la stampante è scollegata." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Visualizza" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Posizione fotocamera" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Visualizzazione fotocamera" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Prospettiva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortogonale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "P&iano di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Stampanti abilitate per la rete" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Stampanti locali" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Impostazioni visibili" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Comprimi tutte le categorie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gestisci Impostazione visibilità..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Impostazioni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "S&tampante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "Ma&teriale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Imposta come estrusore attivo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Abilita estrusore" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Disabilita estrusore" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Salva progetto..." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Numero di copie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Apri file..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Profili personalizzati" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Elimina le modifiche correnti" +msgid "Back" +msgstr "Indietro" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 msgctxt "@label" -msgid "Profile" -msgstr "Profilo" +msgid "Compatibility" +msgstr "Compatibilità" -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Alcuni valori di impostazione/esclusione sono diversi dai valori memorizzati nel profilo.\n" -"\n" -"Fare clic per aprire la gestione profili." +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Macchina" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Inserita" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Piano di stampa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Disinserita" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Sperimentale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Consigliata" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizzata" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Impostazioni di stampa" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Riempimento graduale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profili" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" msgid "Support" msgstr "Supporto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +#: /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 "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." +msgid "Premium" +msgstr "Premium" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +#: /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 "Vai al Marketplace web" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 msgctxt "@label" -msgid "Adhesion" -msgstr "Adesione" +msgid "Search materials" +msgstr "Cerca materiali" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 +#: /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:457 +#: /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 "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." +msgid "Will install upon restarting" +msgstr "L'installazione sarà eseguita al riavvio" -#: /mnt/projects/ultimaker/cura/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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +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:178 +msgctxt "@button" +msgid "Next" +msgstr "Avanti" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "No items to select from" -msgstr "Nessun elemento da selezionare da" +msgid "The following packages will be added:" +msgstr "Verranno aggiunti i seguenti pacchetti:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Active print" -msgstr "Stampa attiva" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 +#: /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 "Job Name" -msgstr "Nome del processo" +msgid "You need to accept the license to install the package" +msgstr "È necessario accettare la licenza per installare il pacchetto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Printing Time" -msgstr "Tempo di stampa" +msgid "Website" +msgstr "Sito web" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Estimated time left" -msgstr "Tempo residuo stimato" +msgid "Email" +msgstr "E-mail" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +#: /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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiali installati" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Plugin inseriti nel bundle" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Spostamento alla posizione successiva" + +#: /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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Collega alla stampante in rete" + +#: /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/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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Stampa sulla rete" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Stampa" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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⏎- 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:81 +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:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Account Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Sezionamento in corso..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Sezionamento impossibile" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Elaborazione in corso" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Sezionamento" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Avvia il processo di sezionamento" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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:125 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Esci" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Visualizzazione 3D" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Visualizzazione frontale" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Visualizzazione superiore" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Visualizzazione lato sinistro" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Visualizzazione lato destro" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Configura Cura..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Aggiungi stampante..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Gestione stampanti..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Gestione materiali..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Aggiungere altri materiali da Marketplace" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 +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:218 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Elimina le modifiche correnti" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 +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:236 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Gestione profili..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Mostra documentazione &online" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Se&gnala un errore" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Scopri le novità" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Informazioni..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Cancella selezionati" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centra selezionati" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Moltiplica selezionati" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Elimina modello" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "C&entra modello su piattaforma" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Raggruppa modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Separa modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Unisci modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "Mo<iplica modello..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Seleziona tutti i modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Cancellare piano di stampa" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Ricarica tutti i modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 +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:398 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Sistema tutti i modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Sistema selezione" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 +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:420 +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:429 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Apri file..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nuovo Progetto..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Mostra cartella di configurazione" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Configura visibilità delle impostazioni..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Mercato" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 +msgctxt "@title:tab" +msgid "General" +msgstr "Generale" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Impostazioni" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Stampanti" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profili" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Chiusura di %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Chiudere %1?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +msgctxt "@title:window" +msgid "Open file(s)" +msgstr "Apri file" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Installa il pacchetto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Apri file" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Aggiungi stampante" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Scopri le novità" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "version: %1" +msgstr "versione: %1" + +#: /home/trin/Gedeeld/Projects/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 +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 è 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 +msgctxt "@label" +msgid "Graphical user interface" +msgstr "Interfaccia grafica utente" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "G-code generator" +msgstr "Generatore codice G" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Programming language" +msgstr "Lingua di programmazione" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Vincoli struttura GUI" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Data interchange format" +msgstr "Formato scambio dati" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Libreria di comunicazione seriale" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Libreria ritaglio poligono" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +msgctxt "@label" +msgid "Python bindings for libnest2d" +msgstr "Vincoli Python per libnest2d" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Font" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Apri file progetto" + +#: /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 "Questo è un file progetto Cura. Vuoi aprirlo come progetto o importarne i modelli?" + +#: /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 +msgctxt "@action:button" +msgid "Open as project" +msgstr "Apri come progetto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +msgctxt "@action:button" +msgid "Import models" +msgstr "Importa i modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Elimina o mantieni modifiche" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3415,1481 +3846,1294 @@ msgstr "" "Mantenere queste impostazioni modificate dopo il cambio dei profili?\n" "In alternativa, è possibile eliminare le modifiche per caricare i valori predefiniti da '%1'." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 msgctxt "@title:column" msgid "Profile settings" msgstr "Impostazioni profilo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 msgctxt "@title:column" msgid "Current changes" msgstr "Modifiche correnti" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Chiedi sempre" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Elimina e non chiedere nuovamente" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Mantieni e non chiedere nuovamente" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" msgid "Discard changes" msgstr "Elimina modifiche" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 msgctxt "@action:button" msgid "Keep changes" msgstr "Mantieni modifiche" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "Informazioni su %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "versione: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 è stato sviluppato da Ultimaker B.V. in cooperazione con la comunità.\n" -"Cura è orgogliosa di utilizzare i seguenti progetti open source:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Interfaccia grafica utente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Struttura applicazione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Generatore codice G" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Libreria di comunicazione intra-processo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Lingua di programmazione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "Struttura GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Vincoli struttura GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Libreria vincoli C/C++" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Formato scambio dati" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Libreria di supporto per calcolo scientifico" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Libreria di supporto per calcolo rapido" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "Libreria di supporto per gestione file STL" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "Libreria di supporto per gestione oggetti planari" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "Libreria di supporto per gestione maglie triangolari" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "Libreria di supporto per gestione file 3MF" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Libreria di comunicazione seriale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Libreria scoperta ZeroConf" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Libreria ritaglio poligono" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Controllo di tipo statico per Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Libreria per la traccia degli errori Python" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Vincoli Python per libnest2d" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Estensioni Python per Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Font" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Icone SVG" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Apertura applicazione distribuzione incrociata Linux" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Apri file" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/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 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" msgid "Import all as models" msgstr "Importa tutto come modelli" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 msgctxt "@title:window" msgid "Save Project" msgstr "Salva progetto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 msgctxt "@action:label" msgid "Extruder %1" msgstr "Estrusore %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 msgctxt "@action:label" msgid "%1 & material" msgstr "%1 & materiale" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 msgctxt "@action:label" msgid "Material" msgstr "Materiale" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 msgctxt "@action:label" msgid "Don't show project summary on save again" msgstr "Non mostrare il riepilogo di progetto alla ripetizione di salva" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 msgctxt "@action:button" msgid "Save" msgstr "Salva" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Apri file progetto" +#: /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" -#: /mnt/projects/ultimaker/cura/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 "Questo è un file progetto Cura. Vuoi aprirlo come progetto o importarne i modelli?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Ricorda la scelta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 -msgctxt "@action:button" -msgid "Open as project" -msgstr "Apri come progetto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Importa i modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 msgctxt "@text Print job name" msgid "Untitled" msgstr "Senza titolo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Benvenuto in Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Per iniziare" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vuoto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Aiutaci a migliorare Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipi di macchine" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Utilizzo dei materiali" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Numero di sezionamenti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Impostazioni di stampa" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Ulteriori informazioni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Aggiungi stampante per indirizzo IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Inserire l'indirizzo IP della stampante." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Aggiungi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Impossibile connettersi al dispositivo." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Indietro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Collega" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Aggiungi una stampante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Aggiungi una stampante in rete" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Aggiungi una stampante non in rete" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 -msgctxt "@label" -msgid "What's New" -msgstr "Scopri le novità" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Aggiungere una stampante cloud" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "In attesa della risposta del cloud" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Non sono presenti stampanti nel cloud?" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Aggiungere la stampante manualmente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Accedi alla piattaforma Ultimaker" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Crea un account Ultimaker gratuito" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Salta" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Contratto di licenza" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rifiuta e chiudi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Note sulla versione" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Aggiorna" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Aggiungi stampante per IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Aggiungere una stampante cloud" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Ricerca e riparazione dei guasti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Produttore" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Autore profilo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Nome stampante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Dare un nome alla stampante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Ultimo aggiornamento: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Account Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Esci" - -#: /mnt/projects/ultimaker/cura/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⏎- Condividi idee e ottieni supporto da più di 48.000 utenti nella community di Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Crea un account Ultimaker gratuito" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Accedi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Verifica in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Account sincronizzato" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Si è verificato un errore..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Installare gli aggiornamenti in attesa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Verificare gli aggiornamenti dell'account" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Elenco oggetti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Mostra la Guida ricerca e riparazione dei guasti online" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Attiva/disattiva schermo intero" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Esci da schermo intero" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Annulla" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "Ri&peti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Esci" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Visualizzazione 3D" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Visualizzazione frontale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Visualizzazione superiore" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Visualizzazione lato sinistro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Visualizzazione lato destro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Configura Cura..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Aggiungi stampante..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Gestione stampanti..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Gestione materiali..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Aggiungere altri materiali da Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Aggiorna il profilo con le impostazioni/esclusioni correnti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Elimina le modifiche correnti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Crea profilo dalle impostazioni/esclusioni correnti..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Gestione profili..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Mostra documentazione &online" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Se&gnala un errore" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Scopri le novità" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Informazioni..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Cancella selezionati" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centra selezionati" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Moltiplica selezionati" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Elimina modello" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "C&entra modello su piattaforma" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Raggruppa modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Separa modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Unisci modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "Mo<iplica modello..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Seleziona tutti i modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Cancellare piano di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Ricarica tutti i modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Sistema tutti i modelli su tutti i piani di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Sistema tutti i modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Sistema selezione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Reimposta tutte le posizioni dei modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Reimposta tutte le trasformazioni dei modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Apri file..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nuovo Progetto..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Mostra cartella di configurazione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Configura visibilità delle impostazioni..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Mercato" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calcolato" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Impostazione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profilo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Corrente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unità" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informazioni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Es&tensioni" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referenze" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Help" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Conferma modifica diametro" +msgid "New project" +msgstr "Nuovo progetto" -#: /mnt/projects/ultimaker/cura/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/MainWindow/ApplicationMenu.qml:149 +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Visualizza nome" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo di materiale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Colore" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Proprietà" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densità" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diametro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Costo del filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso del filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Lunghezza del filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Costo al metro" - -#: /mnt/projects/ultimaker/cura/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à." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Scollega materiale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descrizione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informazioni sull’aderenza" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Activate" -msgstr "Attiva" +msgid "Marketplace" +msgstr "Mercato" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Crea" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configurazioni" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplica" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importa" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Mercato" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Esporta" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Caricamento in corso configurazioni disponibili dalla stampante..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Seleziona configurazione" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Conferma rimozione" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importa materiale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Impossibile importare materiale {1}: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Materiale importato correttamente %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Esporta materiale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Materiale esportato correttamente su %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Stampanti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Rinomina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profili" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 msgctxt "@label" -msgid "Create" -msgstr "Crea" +msgid "Enabled" +msgstr "Abilitato" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 msgctxt "@label" -msgid "Duplicate" -msgstr "Duplica" +msgid "Material" +msgstr "Materiale" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +#: /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 "Create Profile" -msgstr "Crea profilo" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Moltiplica modello selezionato" +msgstr[1] "Moltiplica modelli selezionati" -#: /mnt/projects/ultimaker/cura/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/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Numero di copie" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplica profilo" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Salva progetto..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Rinomina profilo" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Esporta..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importa profilo" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Esporta selezione..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Esporta profilo" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Materiale" -#: /mnt/projects/ultimaker/cura/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/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Preferiti" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Impostazioni globali" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Impostazione visibilità" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Controlla tutto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 -msgctxt "@title:tab" -msgid "General" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" msgstr "Generale" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 -msgctxt "@label" -msgid "Interface" -msgstr "Interfaccia" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Apri file..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 -msgctxt "@label" -msgid "Currency:" -msgstr "Valuta:" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 -msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Stampanti locali" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 -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/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Ap&ri recenti" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Seziona automaticamente alla modifica delle impostazioni." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Salva progetto..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Seziona automaticamente" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "S&tampante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportamento del riquadro di visualizzazione" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "Ma&teriale" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Imposta come estrusore attivo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Visualizza sbalzo" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Abilita estrusore" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Disabilita estrusore" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Visualizzare gli errori del modello" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Impostazioni visibili" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Comprimi tutte le categorie" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centratura fotocamera alla selezione dell'elemento" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Gestisci Impostazione visibilità..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -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/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Posizione fotocamera" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 -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/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Visualizzazione fotocamera" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Lo zoom si muove nella direzione del mouse?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoom verso la direzione del mouse" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Assicurarsi che i modelli siano mantenuti separati" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Rilascia automaticamente i modelli sul piano di stampa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Visualizza il messaggio di avvertimento sul lettore codice G." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Messaggio di avvertimento sul lettore codice G" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Lo strato deve essere forzato in modalità di compatibilità?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Forzare la modalità di compatibilità visualizzazione strato (riavvio necessario)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Aprire Cura nel punto in cui è stato chiuso?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Ripristinare la posizione della finestra all'avvio" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Quale tipo di rendering della fotocamera è necessario utilizzare?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Rendering fotocamera:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" msgid "Perspective" msgstr "Prospettiva" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 +msgctxt "@action:inmenu menubar:view" msgid "Orthographic" msgstr "Ortogonale" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Apertura e salvataggio file" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "P&iano di stampa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Utilizzare una singola istanza di Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Ridimensiona i modelli troppo grandi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Ridimensiona i modelli eccessivamente piccoli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "I modelli devono essere selezionati dopo essere stati caricati?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Selezionare i modelli dopo il caricamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Aggiungi al nome del processo un prefisso macchina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Visualizza una finestra di riepilogo quando si salva un progetto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportamento predefinito all'apertura di un file progetto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportamento predefinito all'apertura di un file progetto: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Chiedi sempre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Apri sempre come progetto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Importa sempre i modelli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Elimina sempre le impostazioni modificate" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Trasferisci sempre le impostazioni modificate a un nuovo profilo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Controlla aggiornamenti all’avvio" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Invia informazioni di stampa (anonime)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "Ulteriori informazioni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "Visualizza tipo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Stampa in corso..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "In pausa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Preparazione in corso..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "Rimuovere la stampa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Interrompi la stampa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Viene stampato come supporto." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Interfaccia" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Valuta:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Seziona automaticamente" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportamento del riquadro di visualizzazione" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Visualizza sbalzo" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Visualizzare gli errori del modello" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Rendering fotocamera:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Prospettiva" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Ortogonale" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Apertura e salvataggio file" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +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:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Ridimensiona i modelli troppo grandi" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Ridimensiona i modelli eccessivamente piccoli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +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:605 +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:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Chiedi sempre" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Apri sempre come progetto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Importa sempre i modelli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Elimina sempre le impostazioni modificate" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacy" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Controlla aggiornamenti all’avvio" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Invia informazioni di stampa (anonime)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Ulteriori informazioni" + +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Stampante" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importa materiale" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Esporta materiale" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Impostazioni ricerca" +msgid "Check all" +msgstr "Controlla tutto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Copia valore su tutti gli estrusori" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Estrusore" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Nascondi questa impostazione" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Nascondi questa impostazione" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Mantieni visibile questa impostazione" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Aggiungi stampante" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Stampa attiva" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Tempo di stampa" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Profilo" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Alcuni valori di impostazione/esclusione sono diversi dai valori memorizzati nel profilo.\n" +"\n" +"Fare clic per aprire la gestione profili." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Sperimentale" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Riempimento graduale" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Supporto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4900,32 +5144,32 @@ msgstr "" "\n" "Fare clic per rendere visibili queste impostazioni." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Influisce su" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Influenzato da" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Questa impostazione viene risolta dai valori in conflitto specifici dell'estrusore:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4936,7 +5180,7 @@ msgstr "" "\n" "Fare clic per ripristinare il valore del profilo." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4947,714 +5191,308 @@ msgstr "" "\n" "Fare clic per ripristinare il valore calcolato." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Impostazioni ricerca" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Nascondi questa impostazione" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Nascondi questa impostazione" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Visualizzazione frontale" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Visualizzazione superiore" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Vista sinistra" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Vista destra" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Estrusore" +msgid "View type" +msgstr "Visualizza tipo" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Aggiungere una stampante cloud" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "In attesa della risposta del cloud" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Non sono presenti stampanti nel cloud?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Annulla" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Pre-riscaldo" +msgid "Add printer manually" +msgstr "Aggiungere la stampante manualmente" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Il materiale di questo estrusore." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "L’ugello inserito in questo estrusore." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Piano di stampa" +msgid "Manufacturer" +msgstr "Produttore" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "La temperatura corrente del piano riscaldato." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Comando stampante" +msgid "Profile author" +msgstr "Autore profilo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Posizione Jog" +msgid "Printer name" +msgstr "Nome stampante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Aggiungi una stampante" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Aggiungi una stampante in rete" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Distanza Jog" +msgid "Add a non-networked printer" +msgstr "Aggiungi una stampante non in rete" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "Invia codice G" +msgid "There is no printer found over your network." +msgstr "Non è stata trovata alcuna stampante sulla rete." -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "La stampante non è collegata." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "Viene stampato come supporto." +msgid "Refresh" +msgstr "Aggiorna" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Gli altri modelli che si sovrappongono a questo modello sono stati modificati." +msgid "Add printer by IP" +msgstr "Aggiungi stampante per IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "La sovrapposizione del riempimento con questo modello è stata modificata." +msgid "Add cloud printer" +msgstr "Aggiungere una stampante cloud" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Le sovrapposizioni con questo modello non sono supportate." +msgid "Troubleshooting" +msgstr "Ricerca e riparazione dei guasti" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mercato" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Modifica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Es&tensioni" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referenze" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Help" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Nuovo progetto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Questo pacchetto sarà installato dopo il riavvio." +msgid "Add printer by IP address" +msgstr "Aggiungi stampante per indirizzo IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Impostazioni" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Chiusura di %1" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Aggiungi" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Chiudere %1?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Impossibile connettersi al dispositivo." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Installa il pacchetto" +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Apri file" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Aggiungi stampante" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Indietro" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Crea un account Ultimaker gratuito" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Salta" + +#: /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." +msgstr "" +"Segui questa procedura per configurare\n" +"Ultimaker Cura. Questa operazione richiederà solo pochi istanti." + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "Scopri le novità" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Aggiungi stampante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gestione stampanti" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Stampanti collegate" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Stampanti preimpostate" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Stima del tempo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Stima del materiale" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Sezionamento in corso..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Sezionamento impossibile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Elaborazione in corso" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Sezionamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Avvia il processo di sezionamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Annulla" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Nessuna stima di tempo disponibile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Nessuna stima di costo disponibile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Anteprima" - -#: RemovableDriveOutputDevice/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." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Plugin dispositivo di output unità rimovibile" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Aggiorna le configurazioni da Cura 4.2 a Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Aggiornamento della versione da 4.2 a 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Aggiornamento della versione da 2.6 a 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Aggiorna le configurazioni da Cura 2.5 a Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Aggiornamento della versione da 2.5 a 2.6" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Aggiornamento della versione da 2.1 a 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Aggiorna le configurazioni da Cura 4.3 a Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Aggiornamento della versione da 4.3 a 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Aggiorna le configurazioni da Cura 3.4 a Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Aggiornamento della versione da 3.4 a 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Aggiornamento della versione da 2.7 a 3.0" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Fornisce il supporto per la lettura di file X3D." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Lettore X3D" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Fornisce le impostazioni per modello." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Utilità impostazioni per modello" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Accetta i G-Code e li invia ad una stampante. I plugin possono anche aggiornare il firmware." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "Stampa USB" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" +msgid "No items to select from" +msgstr "Nessun elemento da selezionare da" #: ModelChecker/plugin.json msgctxt "description" @@ -5666,105 +5504,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Controllo modello" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Controlla disponibilità di aggiornamenti firmware." +msgid "Provides support for reading 3MF files." +msgstr "Fornisce il supporto per la lettura di file 3MF." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Controllo aggiornamento firmware" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Crea una maglia di cancellazione per bloccare la stampa del supporto in alcune posizioni" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Cancellazione supporto" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Fornisce una fase di preparazione in Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Fase di preparazione" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "Lettore 3MF" #: 3MFWriter/plugin.json msgctxt "description" @@ -5776,65 +5524,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "Writer 3MF" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "Fornisce il supporto per la lettura di file 3MF." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Informazioni su sezionamento" +msgid "AMF Reader" +msgstr "Lettore 3MF" -#: 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Fornisce la vista di simulazione." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Fornisce il collegamento al back-end di sezionamento CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Vista simulazione" - -#: 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" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "Back-end CuraEngine" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5846,15 +5564,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Lettore profilo Cura" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Fornisce il supporto per la scrittura di pacchetti formato Ultimaker." +msgid "Provides support for exporting Cura profiles." +msgstr "Fornisce supporto per l'esportazione dei profili Cura." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "Writer UFP" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -5876,15 +5664,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Lettore di immagine" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Effettua il backup o ripristina la configurazione." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Fornisce supporto per l'importazione di profili dalle versioni legacy Cura." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Backup Cura" +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." +msgstr "Fornisce le impostazioni per modello." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Utilità impostazioni per modello" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Fornisce una fase di preparazione in Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Fase di preparazione" + +#: 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" + +#: RemovableDriveOutputDevice/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." + +#: RemovableDriveOutputDevice/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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Crea una maglia di cancellazione per bloccare la stampa del supporto in alcune posizioni" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Cancellazione supporto" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Fornisce il supporto per la scrittura di pacchetti formato Ultimaker." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Writer UFP" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Accetta i G-Code e li invia ad una stampante. I plugin possono anche aggiornare il firmware." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "Stampa USB" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Aggiornamento della versione da 2.1 a 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Aggiorna le configurazioni da Cura 2.5 a Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Aggiornamento della versione da 2.5 a 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Aggiornamento della versione da 2.6 a 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Aggiorna le configurazioni da Cura 3.4 a Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "Aggiornamento della versione da 3.4 a 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Aggiorna le configurazioni da Cura 4.2 a Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Aggiornamento della versione da 4.2 a 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Aggiorna le configurazioni da Cura 4.3 a Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Fornisce il supporto per la lettura di file X3D." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Lettore X3D" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/it_IT/fdmextruder.def.json.po b/resources/i18n/it_IT/fdmextruder.def.json.po index 4a14c40a32..2b1b6af466 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 c7750a3602..1cf3f584ae 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Italian , Italian \n" @@ -3200,8 +3200,8 @@ msgstr "Massima distanza di combing senza retrazione" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Per un valore diverso da zero, le corse di spostamento in modalità combing superiori a tale distanza utilizzeranno la retrazione." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6401,6 +6401,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Per un valore diverso da zero, le corse di spostamento in modalità combing superiori a tale distanza utilizzeranno la retrazione." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Applicare l’offset estrusore al sistema coordinate." diff --git a/resources/i18n/ja_JP/cura.po b/resources/i18n/ja_JP/cura.po index 9f449e762c..b0e78466fd 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 15:00+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Japanese , Japanese \n" @@ -17,170 +17,180 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "プリンターを読み込み中..." +#: /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:1612 +#: /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 "不明" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -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 "下のプリンターはグループの一員であるため接続できません" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "アクティブなプリンターを初期化中..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "ネットワークで利用可能なプリンター" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "プリンターマネージャーを初期化中..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "上書きできません" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "ビルドボリュームを初期化中..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "シーンをセットアップ中..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "インターフェイスを読み込み中..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "エンジンを初期化中..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}の取り込みをスキップしました。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "警告" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}の取り込みをスキップしました。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "エラー" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "{0}を取り除いてもよろしいですか?この操作は元に戻せません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "カスタムフィラメント" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "カスタム" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "不明" +msgid "Visual" +msgstr "ビジュアル" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "カスタムフィラメント" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "カスタム" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "カスタムプロファイル" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "すべてのサポートのタイプ ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "全てのファイル" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "ビジュアル" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "ログインに失敗しました" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "造形物のために新しい位置を探索中" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "位置確認" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +msgctxt "@info:status" +msgid "Unable to find a location within the build volume for all objects" +msgstr "全ての造形物の造形サイズに対し、適切な位置が確認できません" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "ドラフト" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "位置を確保できません" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "ユーザーデータディレクトリからアーカイブを作成できません: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "バックアップ" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "ネットワークで利用可能なプリンター" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "適切なデータまたはメタデータがないのにCuraバックアップをリストアしようとしました。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "上書きできません" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "現行バージョンより上の Cura バックアップをリストアしようとしました。" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "造形サイズ" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Curaを開始できません" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -195,32 +205,32 @@ msgstr "" "

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

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

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "システム情報" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "不明" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Curaバージョン" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura言語" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "OS言語" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "プラットフォーム" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qtバージョン" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQtバージョン" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "初期化されていません
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGLバージョン: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGLベンダー: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGLレンダラー: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "エラー・トレースバック" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "ログ" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "レポート送信" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "ログインに失敗しました" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "プリンターを読み込み中..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "プレファレンスをセットアップ中..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "アクティブなプリンターを初期化中..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "プリンターマネージャーを初期化中..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "ビルドボリュームを初期化中..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "シーンをセットアップ中..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "インターフェイスを読み込み中..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "エンジンを初期化中..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "警告" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "エラー" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "造形データを増やす、配置する" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "造形データを配置" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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 "応答を読み取れません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "新しいサインインプロセスを開始できません。別のサインインの試行がアクティブなままになっていないか確認します。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Ultimaker アカウントサーバーに到達できません。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "指定された状態が正しくありません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 msgctxt "@message" msgid "Please give the required permissions when authorizing this application." msgstr "このアプリケーションの許可において必要な権限を与えてください。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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 "ログイン時に予期しないエラーが発生しました。やり直してください。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +msgctxt "@info" +msgid "Unable to reach the Ultimaker account server." +msgstr "Ultimaker アカウントサーバーに到達できません。" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "すでに存在するファイルです" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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} は既に存在します。ファイルを上書きしますか?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "無効なファイルのURL:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "ノズル" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "現在利用可能な次のエクストルーダーに合わせて設定が変更されました:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "設定が更新されました" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "エクストルーダーを無効にしました" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "{0}にプロファイルを書き出すのに失敗しました: {1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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}にプロファイルを書き出すことに失敗しました。:ライタープラグイン失敗の報告。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "{0}にプロファイルを書き出しました" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "書き出し完了" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "{0}からプロファイルの取り込に失敗しました:{1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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}からプロファイルの取り込はできません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "ファイル{0}にはカスタムプロファイルがインポートされていません" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "{0}からプロファイルの取り込に失敗しました:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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}には、正しくないデータが含まれているため、インポートできません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "{0}からプロファイルの取り込みに失敗しました:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "プロファイル{0}の取り込みが完了しました。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "ファイル{0}には、正しいプロファイルが含まれていません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "プロファイル{0}は不特定なファイルまたは破損があります。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "カスタムプロファイル" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "プロファイルはクオリティータイプが不足しています。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "アクティブなプリンターはありません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "プロファイルを追加できません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "クオリティータイプ「{0}」は、現在アクティブなプリンター定義「{1}」と互換性がありません。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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}」を使用できないため、プロファイルは表示されません。このクオリティータイプを使用できる材料/ノズルの組み合わせに切り替えてください。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "サポート対象外" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "造形物のために新しい位置を探索中" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "ノズル" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "現在利用可能な次のエクストルーダーに合わせて設定が変更されました:" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "位置確認" +msgid "Settings updated" +msgstr "設定が更新されました" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "全ての造形物の造形サイズに対し、適切な位置が確認できません" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "位置を確保できません" +msgid "Extruder(s) Disabled" +msgstr "エクストルーダーを無効にしました" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "キャンセル" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "グループ #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "スキップ" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "閉める" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "次" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "終わる" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "アウターウォール" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "インナーウォール" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "スキン" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "インフィル" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "サポートイルフィル" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "サポートインターフェイス" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "サポート" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "スカート" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "プライムタワー" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "移動" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "退却" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "他" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "追加" +msgid "Next" +msgstr "次" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "キャンセル" +msgid "Skip" +msgstr "スキップ" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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 "プリントシークエンス設定値により、ガントリーと造形物の衝突を避けるため印刷データの高さを低くしました。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 -msgctxt "@info:title" -msgid "Build Volume" -msgstr "造形サイズ" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "ユーザーデータディレクトリからアーカイブを作成できません: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "バックアップ" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "適切なデータまたはメタデータがないのにCuraバックアップをリストアしようとしました。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "現行バージョンより上の Cura バックアップをリストアしようとしました。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "造形データを増やす、配置する" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "造形データを配置" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "造形データを配置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "リムーバブルドライブに保存" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "リムーバブルドライブ{0}に保存" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "書き出すために利用可能な形式のファイルがありません!" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "リムーバブルドライブ{0}に保存中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "保存中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "{0}を保存できませんでした: {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}に書き出すためのファイル名が見つかりませんでした。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "リムーバブルドライブ{0}に保存することができませんでした: {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "リムーバブルドライブ{0}に {1}として保存" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -msgctxt "@info:title" -msgid "File Saved" -msgstr "ファイル保存" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /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 "Eject" -msgstr "取り出す" +msgid "Close" +msgstr "閉める" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "リムーバブルデバイス{0}を取り出す" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0}取り出し完了。デバイスを安全に取り外せます。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "ハードウェアを安全に取り外します" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "{0}取り出し失敗。他のプログラムがデバイスを使用しているため。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "リムーバブルドライブ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF ファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-codeファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "ファームウェアアップデート" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3Dファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "拒否する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "同意する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "プラグインライセンス同意書" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "拒否してアカウントから削除" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{}プラグインのダウンロードに失敗しました" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "同期中..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Ultimakerアカウントから変更が検出されました" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "変更を有効にするために{}を終了して再始動する必要があります。" - -#: /mnt/projects/ultimaker/cura/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 "材料パッケージとソフトウェアパッケージをアカウントと同期しますか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "同期" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "各モデル設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "各モデル構成設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "後処理" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-codeを修正" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "選ばれたプリンターまたは選ばれたプリント構成が異なるため進行中の材料にてスライスを完了できません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "スライスできません" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "現在の設定でスライスが完了できません。以下の設定にエラーがあります: {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "プライムタワーまたはプライム位置が無効なためスライスできません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "無効な Extruder %s に関連付けられている造形物があるため、スライスできません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 -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" -"- すべてが修飾子メッシュとして設定されているわけではない" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "レイヤーを処理しています" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:title" -msgid "Information" -msgstr "インフォメーション" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USBプリンティング" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "USBを使ってプリントする" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "USBを使ってプリントする" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "USBにて接続する" - -#: /mnt/projects/ultimaker/cura/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 を閉じるとこのプリントも停止します。実行しますか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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を介した次の印刷を開始できません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "現在印刷中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Curaプロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "ネットワーク上にて接続" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "Ultimakerアカウントから新しいプリンターが検出されました" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 -#, 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})を追加しています" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -#, 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}その他" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "Digital Factoryからプリンターが追加されました:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 -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] "一部のプリンターではクラウド接続は利用できません" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 -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とリンクされていません:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "接続を確立するには、{website_link}にアクセスしてください" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "プリンターの構成を維持" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "プリンターを取り除く" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 -#, 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}は削除されます。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 -#, 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}にアクセスしてください" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 -#, 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}を一時的に削除してもよろしいですか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 -msgctxt "@title:window" -msgid "Remove printers?" -msgstr "プリンターを削除しますか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 -#, python-brace-format -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" -"続行してもよろしいですか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 -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" -"続行してもよろしいですか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "クラウドからプリントする" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "クラウドからプリントする" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "クラウド経由で接続" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "プリントジョブのアップロード時の不明なエラーコード:{0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "翌日" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "本日" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "印刷ジョブ送信中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "プリントジョブをプリンターにアップロードしています。" - -#: /mnt/projects/ultimaker/cura/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}に接続を試みていますが、これはグループのホストではありません。グループホストとして設定するには、ウェブページを参照してください。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "グループホストではありません" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "グループの設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 -msgctxt "@info:status" -msgid "Send and monitor print jobs from anywhere using your Ultimaker account." -msgstr "Ultimaker のアカウントを使用して、どこからでも印刷ジョブを送信およびモニターします。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 -msgctxt "@info:status Ultimaker Cloud should not be translated." -msgid "Connect to Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factoryに接続" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 -msgctxt "@action" -msgid "Get started" -msgstr "はじめに" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "現在のジョブが送信されるまで待機してください。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "印刷エラー" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "データをプリンタにアップロードできませんでした。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "ネットワークエラー" - -#: /mnt/projects/ultimaker/cura/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}のホストプリンターにまだインストールされていない材料プロフィールを検出しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "プリンターに材料を送信しています" - -#: /mnt/projects/ultimaker/cura/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 "プリントジョブのキューがいっぱいです。プリンターは新しいジョブを処理できません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "キューがいっぱい" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "プリントジョブは正常にプリンターに送信されました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "データを送信しました" - -#: /mnt/projects/ultimaker/cura/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を実行していないプリンターに接続しようとしています。プリンターを最新のファームウェアに更新してください。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "プリンターの更新" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "ネットワーク上のプリント" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "ネットワークのプリント" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "ネットワーク上で接続" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "アップグレードを選択する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "ビルドプレートを調整する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "推奨" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "カスタム" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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} があります。マシンをインポートできません。代わりにモデルをインポートします。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "プロジェクトファイルを開く" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "プロジェクトファイル{0}が突然アクセスできなくなりました:{1}。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "プロジェクトファイルを開けません" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "プロジェクトファイル{0}は破損しています:{1}。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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では認識できないプロファイルを使用して作成されています。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF ファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "圧縮G-codeファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter はテキストモードをサポートしていません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3Dモデルアシスタント" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1288,1240 +739,1004 @@ msgstr "" "

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

    \n" "

    印字品質ガイドを見る

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /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/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "プロジェクトファイルを開く" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 +#, 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:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "プロジェクトファイルを開けません" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 +#, 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:698 +#, 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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MFファイル" + +#: /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:26 +msgctxt "@info:title" +msgid "Backups" +msgstr "バックアップ" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "バックアップのアップロード中にエラーが発生しました。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "バックアップを作成しています..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "バックアップの作成中にエラーが発生しました。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "バックアップをアップロードしています..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "バックアップのアップロードを完了しました。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "バックアップを管理する" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +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:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "スライスできません" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#, 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:436 +#, 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:445 +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:454 +#, 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:463 +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:260 +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 "必要なアップデートの情報にアクセスできません。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "お使いの{machine_name}について新機能またはバグ修正が利用できる可能性があります。まだ最新のバージョンでない場合は、プリンターのファームウェアをバージョン{latest_version}に更新することを推奨します。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /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 firmware available" msgstr "新しい利用可能な%sファームウェアのアップデートがあります" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "アップデートの仕方" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Gファイル" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "ファームウェアアップデート" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /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を解析" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 +#: /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の詳細" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:501 +#: /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の表示が適切でない場合があります。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "サポートブロッカー" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "サポートが印刷されないボリュームを作成します。" - -#: /mnt/projects/ultimaker/cura/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 "圧縮トライアングルメッシュを開く" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "G File" +msgstr "Gファイル" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTFバイナリ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF埋め込みJSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "圧縮COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimakerフォーマットパッケージ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 プロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "準備する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "モニター" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "透視ビューイング" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "3Mf ファイルの書き込みエラー。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MFファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Curaが3MF fileを算出します" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MFリーダーのプラグインが破損しています。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "この作業スペースに書き込む権限がありません。" - -#: /mnt/projects/ultimaker/cura/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 "使用しているオペレーティングシステムでは、この場所またはこのファイル名でプロジェクトファイルを保存することはできません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "プレビュー" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "レイヤービュー" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Curaはワイヤープリンティングが有効な場合は正確にレイヤーを表示しません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "シミュレーションビュー" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "最初にスライスする必要があるため、何も表示されません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "表示するレイヤーがありません" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "今後このメッセージを表示しない" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "プリンターの設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "ソリッドビュー" - -#: /mnt/projects/ultimaker/cura/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を開いてください。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "モデルエラー" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "詳しく見る" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "UFPファイルに書き込めません:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 msgctxt "@error:not supported" msgid "GCodeWriter does not support non-text mode." msgstr "GCodeWriter は非テキストモードはサポートしていません。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +#: /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の準備をしてください。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 msgctxt "@item:inlistbox" msgid "JPG Image" msgstr "JPG画像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 msgctxt "@item:inlistbox" msgid "JPEG Image" msgstr "JPEG画像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 msgctxt "@item:inlistbox" msgid "PNG Image" msgstr "PNG画像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 msgctxt "@item:inlistbox" msgid "BMP Image" msgstr "BMP画像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 msgctxt "@item:inlistbox" msgid "GIF Image" msgstr "GIF画像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "バックアップのリストア中にエラーが発生しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "バックアップ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "バックアップのアップロード中にエラーが発生しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "バックアップを作成しています..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "バックアップの作成中にエラーが発生しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "バックアップをアップロードしています..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "バックアップのアップロードを完了しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "バックアップが最大ファイルサイズを超えています。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "バックアップを管理する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "ファームウェアアップデート" - -#: /mnt/projects/ultimaker/cura/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プリンターを動かすソフトウェアです。このファームウェアはステップモーターを操作し、温度を管理し、プリンターとして成すべき点を補います。" - -#: /mnt/projects/ultimaker/cura/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 "配達時のファームウェアで動かすことはできますが、新しいバージョンの方がより改善され、便利なフィーチャーがついてきます。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "自動でファームウェアをアップグレード" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "カスタムファームウェアをアップロードする" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "プリンターと接続されていないため、ファームウェアをアップデートできません。" - -#: /mnt/projects/ultimaker/cura/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 "プリンターとの接続はファームウェアのアップデートをサポートしていないため、ファームウェアをアップデートできません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "カスタムファームウェアを選択する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "ファームウェアアップデート" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "ファームウェアアップデート中。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "ファームウェアアップデート完了。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "不特定なエラーの発生によりファームウェアアップデート失敗しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "コミュニケーションエラーによりファームウェアアップデート失敗しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "インプット/アウトプットエラーによりファームウェアアップデート失敗しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "ファームウェアが見つからず、ファームウェアアップデート失敗しました。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "マーケットプレース" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "パッケージをインストールするにはライセンスに同意する必要があります" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "アカウントにおける変更" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "無視" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "次" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "次のパッケージが追加されます:" - -#: /mnt/projects/ultimaker/cura/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バージョンに互換性がないため、インストールできません:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "アンインストール確認" - -#: /mnt/projects/ultimaker/cura/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 "使用中の材料またはプロファイルをアンインストールしようとしています。確定すると以下の材料/プロファイルをデフォルトにリセットします。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "プロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "確認" - -#: /mnt/projects/ultimaker/cura/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パッケージデータベースに接続できません。接続を確認してください。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "地域貢献" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "コミュニティプラグイン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "汎用材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "バージョン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "最終更新日" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "ブランド" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "ダウンロード" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "インストールされたプラグイン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "プラグインはインストールされていません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "インストールされた材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "材料はインストールされていません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "バンドルされたプラグイン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "バンドルされた材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "ウェブサイト" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "電子メール" - -#: /mnt/projects/ultimaker/cura/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用プラグインおよび材料を入手するにはサインインしてください。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "サインイン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "パッケージ取得中..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "互換性" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "プリンター" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "ビルドプレート" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "サポート" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "品質" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "技術データシート" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "安全データシート" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "印刷ガイドライン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "ウェブサイト" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "プラグイン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "マテリアル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "インストールした" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "ウェブマーケットプレイスに移動" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "再起動時にインストール" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "アップデート" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "更新中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "更新済み" - -#: /mnt/projects/ultimaker/cura/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 "アップデートにはログインが必要です" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "ダウングレード" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "アンインストール" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "インストールした" - -#: /mnt/projects/ultimaker/cura/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 "インストールまたはアップデートにはログインが必要です" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "材料スプールの購入" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "プレミアム" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "材料を検索" - -#: /mnt/projects/ultimaker/cura/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を再起動する必要があります。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "%1を終了する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "戻る" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "インストール" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "メッシュタイプ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "標準モデル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "サポートとしてプリント" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "オーバーラップの設定を変更" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "オーバーラップをサポートしない" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "インフィルメッシュのみ" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 プロファイル" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "メッシュ切断" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "設定を選択する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "このモデルをカスタマイズする設定を選択する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "フィルター..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "すべて表示する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "プラグイン処理後" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "スクリプトの処理後" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 msgctxt "@action" -msgid "Add a script" -msgstr "スクリプトを加える" +msgid "Machine Settings" +msgstr "プリンターの設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 +#: /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 "Settings" -msgstr "設定" +msgid "Per Model Settings" +msgstr "各モデル設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "処理したアクティブなスクリプトを変更します。" +msgid "Configure Per Model Settings" +msgstr "各モデル構成設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 +#: /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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "保存中" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "ファイル保存" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "取り出す" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "リムーバブルデバイス{0}を取り出す" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "ハードウェアを安全に取り外します" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "シミュレーションビュー" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "最初にスライスする必要があるため、何も表示されません。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "表示するレイヤーがありません" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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 "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "次のスクリプトがアクティブです:" +msgid "Create a volume in which supports are not printed." +msgstr "サポートが印刷されないボリュームを作成します。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -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 "材料パッケージとソフトウェアパッケージをアカウントと同期しますか?" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Ultimakerアカウントから変更が検出されました" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "同期" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "プリントジョブ" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "同期中..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "合計印刷時間" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "拒否する" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -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 "同意する" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "構成の変更" +msgid "Plugin License Agreement" +msgstr "プラグインライセンス同意書" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "拒否してアカウントから削除" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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 "Override" -msgstr "上書き" +msgid "Print via cloud" +msgstr "クラウドからプリントする" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "クラウドからプリントする" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "クラウド経由で接続" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:270 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "プリントジョブのアップロード時の不明なエラーコード:{0}" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:227 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "Ultimakerアカウントから新しいプリンターが検出されました" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:238 +#, 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})を追加しています" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:255 +#, 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}その他" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:260 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "Digital Factoryからプリンターが追加されました:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "ガラス" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +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] "一部のプリンターではクラウド接続は利用できません" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "アルミニウム" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +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とリンクされていません:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "利用できないプリンター" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "次の空き" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "接続を確立するには、{website_link}にアクセスしてください" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "キューをリモートで管理するには、プリンターのファームウェアを更新してください。" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "プリンターの構成を維持" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "プリンターを取り除く" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#, 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:422 +#, 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:423 +#, 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:460 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "ネットワーク上で繋がったプリンターに接続" +msgid "Remove printers?" +msgstr "プリンターを削除しますか?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#, python-brace-format 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 コードファイルをプリンターに転送することはできます。" +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" +"続行してもよろしいですか?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "以下のリストからプリンタを選択します:" +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" +"続行してもよろしいですか?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "編集" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +msgctxt "@info:status" +msgid "Send and monitor print jobs from anywhere using your Ultimaker account." +msgstr "Ultimaker のアカウントを使用して、どこからでも印刷ジョブを送信およびモニターします。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "取り除く" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +msgctxt "@info:status Ultimaker Cloud should not be translated." +msgid "Connect to Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factoryに接続" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "更新" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +msgctxt "@action" +msgid "Get started" +msgstr "はじめに" -#: /mnt/projects/ultimaker/cura/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/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を実行していないプリンターに接続しようとしています。プリンターを最新のファームウェアに更新してください。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "タイプ" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "プリンターの更新" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -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}のホストプリンターにまだインストールされていない材料プロフィールを検出しました。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "アドレス" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "プリンターに材料を送信しています" -#: /mnt/projects/ultimaker/cura/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/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}に接続を試みていますが、これはグループのホストではありません。グループホストとして設定するには、ウェブページを参照してください。" -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "グループホストではありません" -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:35 +msgctxt "@action" +msgid "Configure group" +msgstr "グループの設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -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 "現在のジョブが送信されるまで待機してください。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "無効なIPアドレス" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "印刷エラー" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "データをプリンタにアップロードできませんでした。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "プリンターアドレス" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "ネットワークエラー" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "印刷ジョブ送信中" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "プリントジョブをプリンターにアップロードしています。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" +#: /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 "ネットワーク上のプリント" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "プリント" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "ネットワークのプリント" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +#: /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 msgctxt "@label" -msgid "Printer selection" -msgstr "プリンターの選択" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USBプリントを実行しています。Cura を閉じるとこのプリントも停止します。実行しますか?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "最上位に移動" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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を介した次の印刷を開始できません。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "削除" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "現在印刷中" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "再開" +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3Dファイル" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "一時停止しています..." +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "透視ビューイング" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -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 "このプリントの何かが問題です。クリックして調整のヒントをご覧ください。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "一時停止" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "中止しています..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "中止" - -#: /mnt/projects/ultimaker/cura/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 をキューの最上位に移動しますか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "印刷ジョブを最上位に移動する" - -#: /mnt/projects/ultimaker/cura/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 を削除しますか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "印刷ジョブの削除" - -#: /mnt/projects/ultimaker/cura/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 を中止してよろしいですか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "プリント中止" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "中止しました" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "終了" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "準備中..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "中止しています..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "一時停止しています..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "一時停止" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "再開しています..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "アクションが必要です" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "%1 を %2 に終了します" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "プリンター管理" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "読み込み中..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "利用不可" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "到達不能" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "アイドル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "プリント中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "無題" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "匿名" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "構成の変更が必要です" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "詳細" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "このUltimaker Originalに施されたアップグレートを選択する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "ヒーティッドビルドプレート(オフィシャルキットまたはセルフビルド)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "ビルドプレートのレベリング" - -#: /mnt/projects/ultimaker/cura/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 "プリントの成功率を上げるために、ビルドプレートを今調整できます。’次のポジションに移動’をクリックすると。" - -#: /mnt/projects/ultimaker/cura/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 "すべてのポジションに。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "ビルドプレートのレベリングを開始する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "次のポジションに移動" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "プロジェクトを開く" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "既存を更新する" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "新しいものを作成する" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "サマリーCuraプロジェクト" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "プリンターの設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "このプリンターの問題をどのように解決すればいいか?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "タイプ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "プリンターグループ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "プロファイル設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "このプロファイルの問題をどのように解決すればいいか?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "ネーム" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "プロファイル内にない" # Can’t edit the Japanese text -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1個の設定を上書き" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "次から引き出す" @@ -2529,58 +1744,490 @@ msgstr "次から引き出す" # can’t inset the japanese text # %1: print quality profile name # %2: number of overridden ssettings -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%2の%1個の設定を上書き" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "フィラメント設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "このフィラメントの問題をどのように解決すればいいか?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "視野設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "モード" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "ビジブル設定:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%2のうち%1" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "プロジェクトを読み込むとビルドプレート上のすべてのモデルがクリアされます。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "開く" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "詳しく知りたい?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "バックアップの削除" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "バックアップのリストア" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura バックアップ" + +#: /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:199 +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 "ファームウェアとは直接お持ちの3Dプリンターを動かすソフトウェアです。このファームウェアはステップモーターを操作し、温度を管理し、プリンターとして成すべき点を補います。" + +#: /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 "配達時のファームウェアで動かすことはできますが、新しいバージョンの方がより改善され、便利なフィーチャーがついてきます。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "自動でファームウェアをアップグレード" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "カスタムファームウェアをアップロードする" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "画像を変換する..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "高さ(mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "ベース(mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "幅(mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "深さ(mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "暗いほうを高く" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +msgctxt "@item:inlistbox" +msgid "Lighter is higher" +msgstr "薄いほうを高く" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "半透明性" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "1mm透過率(%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /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 +msgctxt "@label" +msgid "Nozzle size" +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 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /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 "ノズルオフセットX" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "ノズルオフセットY" + +#: /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 "エクストルーダーがG-Codeを開始する" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X(幅)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (奥行き)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (高さ)" + +#: /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 "G-codeフレーバー" + +#: /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 "X分" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y分" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "最大X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "最大Y" + +#: /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 "エクストルーダーのオフセットをGCodeに適用します" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-Codeの開始" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-codeの終了" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2592,1360 +2239,969 @@ msgstr "" "- プリンタの電源が入っているか確認します。\n" "- プリンタがネットワークに接続されているかどうかを確認します。- クラウドに接続されたプリンタを検出するためにサインインしているかどうかを確認します。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "プリンターをネットワークに接続してください。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "ユーザーマニュアルをオンラインで見る" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "インフィルメッシュのみ" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "メッシュ切断" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "設定を選択する" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "匿名データの収集に関する詳細" +msgid "Select Settings to Customize for this model" +msgstr "このモデルをカスタマイズする設定を選択する" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "フィルター..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "すべて表示する" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "匿名データの送信を許可する" +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "プラグイン処理後" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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] "次のスクリプトがアクティブです:" + +#: /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 "カラースキーム" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "フィラメントの色" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "ラインタイプ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "スピード" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "レイヤーの厚さ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "ライン幅" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "コンパティビリティモード" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "移動" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "ヘルプ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "外郭" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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 "インフィル" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "開始" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "トップのレイヤーを表示する" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 msgctxt "@label" msgid "Show 5 Detailed Layers On Top" msgstr "トップの5レイヤーの詳細を表示する" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "トップ/ボトム" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "インナーウォール" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "最小" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "最大" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "ノズル設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "ノズルサイズ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "適合する材料直径" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "ノズルオフセットX" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "ノズルオフセットY" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "冷却ファンの番号" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "エクストルーダーがG-Codeを開始する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "エクストルーダーがG-Codeを終了する" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "プリンター" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "プリンターの設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X(幅)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (奥行き)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (高さ)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "ビルドプレート形" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "センターを出します" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "ヒーテッドドベッド" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "加熱式ビルドボリューム" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "G-codeフレーバー" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "プリントヘッド設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X分" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y分" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "最大X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "最大Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "ガントリーの高さ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "エクストルーダーの数" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "エクストルーダーのオフセットをGCodeに適用します" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-Codeの開始" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-codeの終了" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "画像を変換する..." +msgid "More information on anonymous data collection" +msgstr "匿名データの収集に関する詳細" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:33 -msgctxt "@info:tooltip" -msgid "The maximum distance of each pixel from \"Base.\"" -msgstr "“ベース”から各ピクセルへの最大距離。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "高さ(mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:56 -msgctxt "@info:tooltip" -msgid "The base height from the build plate in millimeters." -msgstr "ミリメートルでビルドプレートからベースの高さ。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "ベース(mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "ビルドプレート上の幅ミリメートル。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "幅(mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "ビルドプレート上の奥行きミリメートル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "深さ(mm)" - -#: /mnt/projects/ultimaker/cura/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 モデルの厚い位置に対応する必要があります。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "暗いほうを高く" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "薄いほうを高く" - -#: /mnt/projects/ultimaker/cura/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 "リトフェインの場合、半透明性を示す単純な対数モデルを利用できます。高さマップの場合、ピクセル値は高さに比例します。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "線形" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "半透明性" - -#: /mnt/projects/ultimaker/cura/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ミリメートルのプリントを貫通する光の割合。この値を小さくすると、画像の暗い領域ではコントラストが増し、明るい領域ではコントラストが減少します。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "1mm透過率(%)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:195 -msgctxt "@info:tooltip" -msgid "The amount of smoothing to apply to the image." -msgstr "画像に適応したスムージング量。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "スムージング" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "マイ バックアップ" - -#: /mnt/projects/ultimaker/cura/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 "現在バックアップは存在しません。[今すぐバックアップする] を使用して作成してください。" - -#: /mnt/projects/ultimaker/cura/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つまでに制限されています。古いバックアップは削除してください。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Cura のバックアップおよび同期を設定します。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "詳しく知りたい?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "今すぐバックアップする" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "自動バックアップ" - -#: /mnt/projects/ultimaker/cura/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 を起動した日は常にバックアップを自動生成します。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura バージョン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "プリンタ" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "プロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "プラグイン" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "リストア" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "バックアップの削除" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "このバックアップを削除しますか?これは取り消しできません。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "バックアップのリストア" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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 を閉じますか?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura バックアップ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "お気に入り" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "汎用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&ファイル" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "プロジェクトを保存... (&S)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "エクスポート... (&E)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "選択エクスポート..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "最近開いたファイルを開く" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "構成の選択" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "構成" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "構成" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "カスタム" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "プリンター" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "有効" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "フィラメント" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "この材料の組み合わせの接着に接着材を使用する。" - -#: /mnt/projects/ultimaker/cura/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 から適切な材料プロファイルをダウンロードしてください。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "マーケットプレース" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "プリンタから利用可能な構成を読み込んでいます..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "プリンタが接続されていないため、構成は利用できません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&ビュー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "カメラ位置 (&C)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "カメラビュー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "パースペクティブ表示" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "平行投影表示" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "ビルドプレート (&B)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "ネットワーク対応プリンター" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "ローカルプリンター" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "ビジブル設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "すべてのカテゴリを折りたたむ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "視野のセッティングを管理する..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&プリンター" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&フィラメント" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "アクティブエクストルーダーとしてセットする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "エクストルーダーを有効にする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "エクストルーダーを無効にする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "プロジェクトを保存..." - -# can’t enter japanese texts -#: /mnt/projects/ultimaker/cura/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 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "選択した複数のモデル" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "コピーの数" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "ファイルを開く..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "カスタムプロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "今の変更を破棄する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "プロファイル" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"いくらかの設定プロファイルにある値とことなる場合無効にします。\n" -"プロファイルマネージャーをクリックして開いてください。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "オン" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "オフ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "実験" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "推奨" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "カスタム" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "プリント設定" - -#: /mnt/projects/ultimaker/cura/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 ファイルは変更できません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "インフィル半減" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "グラデュアルインフィルはトップに向かうに従ってインフィルの量を増やします。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "プロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -msgctxt "@tooltip" -msgid "You have modified some profile settings. If you want to change these go to custom mode." -msgstr "プロファイルの設定がいくつか変更されました。変更を有効にするにはカスタムモードに移動してください。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "サポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -msgctxt "@label" -msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." -msgstr "オーバーハングがあるモデルにサポートを生成します。このサポート構造なしでは、プリント中にオーバーハングのパーツが崩壊してしまいます。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "密着性" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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 "ブリムまたはラフトのプリントの有効化。それぞれ、プリントの周り、また造形物の下に底面を加え切り取りやすくします。" - -#: /mnt/projects/ultimaker/cura/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プロファイルがありません。代わりにデフォルトの目的が使用されます" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "選択するアイテムがありません" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "プリントをアクティベートする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "ジョブネーム" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "プリント時間" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "残り時間" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "変更を取り消すか保存するか" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"一部のプロファイル設定がカスタマイズされています。\n" -"これらの変更された設定をプロファイルの切り替え後も維持しますか?\n" -"変更を破棄して'%1'からデフォルトの設定を読み込むこともできます。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "プロファイル設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "現在の変更" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "毎回確認する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "取り消し、再度確認しない" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "キープし、再度確認しない" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "変更を破棄" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "変更を維持" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "%1について" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "バージョン: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:72 -msgctxt "@label" -msgid "End-to-end solution for fused filament 3D printing." -msgstr "熱溶解積層型3Dプリンティングのエンドtoエンドソリューション。" - -#: /mnt/projects/ultimaker/cura/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はオープンソースで使えることを誇りに思います:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "グラフィックユーザーインターフェイス" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "アプリケーションフレームワーク" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "G-codeの生成" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "インタープロセスコミュニケーションライブラリー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "プログラミング用語" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUIフレームワーク" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUIフレームワークバインディング" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C/C++ バインディングライブラリー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "データインターフェイスフォーマット" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "サイエンスコンピューティングを操作するためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "ファターマスを操作するためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "STLファイルを操作するためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "平面対象物を操作するためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "参画メッシュを操作するためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "3MFファイルを操作するためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "ファイルメタデータとストリーミングのためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "シリアルコミュニケーションライブラリー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConfディスカバリーライブラリー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "ポリゴンクリッピングライブラリー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Python用の静的型チェッカー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "SSLの信頼性を検証するためのルート証明書" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Pythonエラー追跡ライブラリー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "Prusa Research開発のポリゴンパッキングライブラリー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "libnest2dのPythonバインディング" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "システムキーリングアクセスを操作するためのライブラリーサポート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Microsoft Windows用のPython拡張機能" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "フォント" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVGアイコン" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Linux 分散アプリケーションの開発" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "ファイルを開く" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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 は、印刷品質とユーザーエクスペリエンスを向上させるために匿名データを収集します。以下は、共有されるすべてのデータの例です:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "すべてをモデルとして取り入れる" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "プロジェクトを保存" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "エクストルーダー%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1とフィラメント" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "保存中のプロジェクトサマリーを非表示にする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "保存" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "プロジェクトを開く" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "匿名データは送信しない" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "選択を記憶させる" +msgid "Allow sending anonymous data" +msgstr "匿名データの送信を許可する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "プロジェクトを開く" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "モデルを取り込む" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "無題" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Ultimaker Cura にようこそ" - -#: /mnt/projects/ultimaker/cura/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 を設定してください。数秒で完了します。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "はじめに" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "空にする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ultimaker Cura の改善にご協力ください" - -#: /mnt/projects/ultimaker/cura/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 は、印刷品質とユーザーエクスペリエンスを向上させるために以下の匿名データを収集します:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "プリンターのタイプ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "材料の利用状況" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "スライスの数" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "プリント設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura が収集したデータには個人データは含まれません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "詳細" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "IP アドレスでプリンターを追加" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "プリンターのIPアドレスを入力します。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "追加" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "デバイスに接続できません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Ultimakerプリンターに接続できませんか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "このアドレスのプリンターは応答していません。" - -#: /mnt/projects/ultimaker/cura/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 "このプリンタは不明なプリンタであるか、またはグループのホストではないため、追加できません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "戻る" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 "パッケージへの変更を有効にするために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:457 +#: /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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "インストールされた材料" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "材料はインストールされていません。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "バンドルされたプラグイン" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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 "印刷ジョブをネットワークを介してプリンターに直接送信するには、ネットワークケーブルを使用してプリンターを確実にネットワークに接続するか、プリンターを WIFI ネットワークに接続します。Cura をプリンタに接続していない場合でも、USB ドライブを使用して g コードファイルをプリンターに転送することはできます。" + +#: /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 "接続" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "プリンターの追加" +msgid "Enter the IP address of your printer on the network." +msgstr "ネットワーク内のプリンターのIPアドレスを入力してください。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "ネットワークプリンターの追加" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "割り当てられたプリンター %1 には以下の構成変更が必要です:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "非ネットワークプリンターの追加" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "プリンター %1 が割り当てられましたが、ジョブには不明な材料構成があります。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "新情報" +msgid "Change material %1 from %2 to %3." +msgstr "材料 %1 を %2 から %3 に変更します。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "クラウドプリンターを追加" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "%3 を 材料 %1 にロードします(これは上書きできません)。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "クラウドの応答を待機しています" +msgid "Change print core %1 from %2 to %3." +msgstr "プリントコア %1 を %2 から %3 に変更します。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "アカウントにプリンターが見つかりませんか?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "ビルドプレートを %1 に変更します(これは上書きできません)。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "アカウントの以下のプリンターがCuraに追加されました。" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "上書きは、既存のプリンタ構成で指定された設定を使用します。これにより、印刷が失敗する場合があります。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -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 "ガラス" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "ネットワーク上のプリント" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "プリント" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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のプラットフォームにサインイン" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "マーケットプレイスから材料設定とプラグインを追加" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "材料設定とプラグインのバックアップと同期" - -#: /mnt/projects/ultimaker/cura/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人以上のユーザーとアイデアを共有してアドバイスをもらう" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "無料のUltimakerアカウントを作成" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "スキップ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "ユーザー用使用許諾契約" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "拒否して閉じる" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "リリースノート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "ネットワークにプリンターはありません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "更新" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "IP でプリンターを追加" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "クラウドプリンターを追加" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "トラブルシューティング" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "製造元" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "プロファイル作成者" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "プリンター名" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "プリンターに名前を付けてください" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "最終更新:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimakerアカウント" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "サインアウト" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3956,935 +3212,1916 @@ msgstr "" "- 材料プロファイルとプラグインのバックアップと同期\n" "- Ultimakerコミュニティで48,000人以上のユーザーとアイデアを共有してアドバイスをもらう" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 msgctxt "@button" msgid "Create a free Ultimaker account" msgstr "無料のUltimakerアカウントを作成" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "サインイン" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "確認しています..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "アカウント同期" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "問題が発生しました..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "保留中の更新をインストール" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "アカウントの更新を確認" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "オブジェクトリスト" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "最終更新:%1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimakerアカウント" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "スライス中..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "スライスできません" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "処理" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "スライス" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "スライス処理の開始" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +msgctxt "@button" +msgid "Cancel" +msgstr "キャンセル" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 msgctxt "@action:inmenu" msgid "Show Online Troubleshooting Guide" msgstr "オンラインでトラブルシューティングガイドを表示する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "留め金 フルスクリーン" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "全画面表示を終了する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "&取り消す" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&やりなおす" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "&やめる" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "3Dビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "フロントビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "トップビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "左サイドビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "右サイドビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Curaを構成する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "&プリンターを追加する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "プリンターを管理する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "フィラメントを管理する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "マーケットプレイスから材料を追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "&現在の設定/無効にプロファイルをアップデートする" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "&変更を破棄する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "&今の設定/無効からプロファイルを作成する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "プロファイルを管理する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "オンラインドキュメントを表示する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "報告&バグ" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "新情報" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "アバウト..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "選択内容を削除" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "選択内容を中央に移動" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "選択内容を増倍" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "モデルを消去する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "プラットホームの中心にモデルを配置" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "&モデルグループ" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "モデルを非グループ化" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "モ&デルの合体" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "&モデルを増倍する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "すべてのモデル選択" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "ビルドプレート上のクリア" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "すべてのモデルを読み込む" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "すべてのモデルをすべてのビルドプレートに配置" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "すべてのモデルをアレンジする" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "選択をアレンジする" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "すべてのモデルのポジションをリセットする" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "すべてのモデル&変更点をリセットする" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "&ファイルを開く(s)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&新しいプロジェクト..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "コンフィグレーションのフォルダーを表示する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "視野のセッティングを構成する..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&マーケットプレース" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "計算された" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "プロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "現在" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "ユニット" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "インフォメーション" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "直径変更の確認" - -#: /mnt/projects/ultimaker/cura/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 に設定されています。これは現在のエクストルーダーに適応していません。続行しますか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "ディスプレイ名" +msgid "This package will be installed after restarting." +msgstr "このパッケージは再起動後にインストールされます。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "フィラメントタイプ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "色" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "プロパティ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "密度" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "直径" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "フィラメントコスト" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "フィラメントの重さ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "フィラメントの長さ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "毎メーターコスト" - -#: /mnt/projects/ultimaker/cura/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にリンクすプロパティーを共有する。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "フィラメントをリンクを外す" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "記述" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "接着のインフォメーション" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "アクティベート" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "作成する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "複製" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "取り込む" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "書き出す" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "プリンター" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "モデルを取り除きました" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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を取り外しますか?この作業はやり直しが効きません!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "フィラメントを取り込む" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "%1フィラメントを取り込むことができない: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "フィラメント%1の取り込みに成功しました" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "フィラメントを書き出す" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "フィラメントの書き出しに失敗しました %1: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "フィラメントの%1への書き出しが完了ました" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "プリンター" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "名を変える" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "プロファイル" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "作成する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "複製" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "プロファイルを作る" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "このプロファイルの名前を指定してください。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "プロファイルを複製する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "プロファイル名を変える" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "プロファイルを取り込む" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "プロファイルを書き出す" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "プリンター:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "プロファイルを現在のセッティング" - -#: /mnt/projects/ultimaker/cura/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 "このプロファイルはプリンターによりデフォルトを使用、従いこのプロファイルはセッティング/書き換えが以下のリストにありません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "設定は選択したプロファイルにマッチしています。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "グローバル設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "視野設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "全てを調べる" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "一般" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "プリンター" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "プロファイル" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1を閉じています" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "パッケージをインストール" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "ファイルを開く(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "プリンターを追加する" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "新情報" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "インターフェイス" +msgid "version: %1" +msgstr "バージョン: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "通貨:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "熱溶解積層型3Dプリンティングのエンドtoエンドソリューション。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Theme:" -msgstr "テーマ:" +msgid "Graphical user interface" +msgstr "グラフィックユーザーインターフェイス" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "それらの変更を有効にするためにはアプリケーションを再起動しなけらばなりません。" +msgid "Application framework" +msgstr "アプリケーションフレームワーク" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "セッティングを変更すると自動にスライスします。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "自動的にスライスする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "ビューポイント機能" +msgid "G-code generator" +msgstr "G-codeの生成" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "インタープロセスコミュニケーションライブラリー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "ディスプレイオーバーハング" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "プログラミング用語" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUIフレームワーク" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "モデルエラーを表示" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUIフレームワークバインディング" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "C/C++ バインディングライブラリー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for scientific computing" +msgstr "サイエンスコンピューティングを操作するためのライブラリーサポート" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling STL files" +msgstr "STLファイルを操作するためのライブラリーサポート" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling triangular meshes" +msgstr "参画メッシュを操作するためのライブラリーサポート" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for file metadata and streaming" +msgstr "ファイルメタデータとストリーミングのためのライブラリーサポート" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "ZeroConfディスカバリーライブラリー" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "SSLの信頼性を検証するためのルート証明書" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "Prusa Research開発のポリゴンパッキングライブラリー" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "システムキーリングアクセスを操作するためのライブラリーサポート" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "フォント" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Linux cross-distribution application deployment" +msgstr "Linux 分散アプリケーションの開発" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +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 "これはCuraのプロジェクトファイルです。プロジェクトとしてあけますか、それともモデルのみ取り込みますか?" + +#: /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 "Center camera when item is selected" -msgstr "アイテムを選択するとカメラが中心にきます" +msgid "Open as project" +msgstr "プロジェクトを開く" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Curaのデフォルトのズーム機能は変更できるべきか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "カメラのズーム方向を反転する。" +msgid "Import models" +msgstr "モデルを取り込む" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "ズームはマウスの方向に動くべきか?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "変更を取り消すか保存するか" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "マウスに対するズームは、正射投影ではサポートされていません。" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"一部のプロファイル設定がカスタマイズされています。\n" +"これらの変更された設定をプロファイルの切り替え後も維持しますか?\n" +"変更を破棄して'%1'からデフォルトの設定を読み込むこともできます。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "マウスの方向にズームする" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "プロファイル設定" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "現在の変更" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "モデルの距離が離れているように確認する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "プラットホーム上のモデルはブルドプレートに触れるように下げるべきか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "自動的にモデルをビルドプレートに落とす" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "G-codeリーダーに注意メッセージを表示します。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-codeリーダーに注意メッセージ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "レイヤーはコンパティビリティモードに強制されるべきか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "レイヤービューコンパティビリティモードを強制する。(再起動が必要)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Curaを終了した場所で開くようにしますか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "開始時にウィンドウの位置を復元" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "どのような種類のカメラレンダリングを使用する必要がありますか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "カメラレンダリング:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "パースペクティブ表示" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "平行投影表示" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "ファイルを開くまた保存" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "デスクトップまたは外部アプリケーションから開いたファイルをCuraの同じインスタンスで開く必要がありますか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Curaの単一インスタンスを使用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "モデルがビルドボリュームに対して大きすぎる場合はスケールされるべきか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "大きなモデルをスケールする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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 "ユニット値がミリメートルではなくメートルの場合、モデルが極端に小さく現れる場合があります。モデルはスケールアップされるべきですか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "極端に小さなモデルをスケールアップする" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "モデルはロード後に選択しますか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "ロード後にモデルを選択" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "プリンター名の敬称はプリントジョブの名前に自動的に加えられるべきか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "プリンターの敬称をジョブネームに加える" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "プロジェクトファイルを保存時にサマリーを表示するべきか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "プロジェクトを保存時にダイアログサマリーを表示する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "プロジェクトファイルを開く際のデフォルト機能" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "プロジェクトファイル開く際のデフォルト機能: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "毎回確認する" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "常にプロジェクトとして開く" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "常にモデルを取り込む" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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 "プロファイル内を変更し異なるプロファイルにしました、どこの変更点を保持、破棄したいのダイアログが表示されます、また何度もダイアログが表示されないようにデフォルト機能を選ぶことができます。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "プロファイル交換時に設定値を変更するためのデフォルト処理: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "常に変更した設定を廃棄する" +msgid "Discard and never ask again" +msgstr "取り消し、再度確認しない" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "常に変更した設定を新しいプロファイルに送信する" +msgid "Keep and never ask again" +msgstr "キープし、再度確認しない" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "プライバシー" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Curaのプログラム開始時にアップデートがあるかチェックしますか?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "スタート時にアップデートあるかどうかのチェック" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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アドレス、個人的な情報は送信されたり保存されたりはしません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(不特定な) プリントインフォメーションを送信" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "詳細" +msgid "Discard changes" +msgstr "変更を破棄" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "変更を維持" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "すべてをモデルとして取り入れる" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "プロジェクトを保存" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "エクストルーダー%1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1とフィラメント" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "材料" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "保存中のプロジェクトサマリーを非表示にする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +msgctxt "@action:button" +msgid "Save" +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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "拡張子" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "プレファレンス" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "ヘルプ" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "新しいプロジェクト" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "タイプ表示" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "%1 が認識されていないためこの構成は利用できません。%2 から適切な材料プロファイルをダウンロードしてください。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "プリンタから利用可能な構成を読み込んでいます..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "構成の選択" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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 "プリンターにつながっていません" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 msgctxt "@label:MonitorStatus" msgid "Printer does not accept commands" msgstr "今プリンタはコマンドを処理できません" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 msgctxt "@label:MonitorStatus" msgid "In maintenance. Please check the printer" msgstr "メンテナンス。プリンターをチェックしてください" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 msgctxt "@label:MonitorStatus" msgid "Lost connection with the printer" msgstr "プリンターへの接続が切断されました" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "プリント中..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "一時停止しました" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "準備中..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "造形物を取り出してください" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "プリント中止" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 msgctxt "@label" msgid "Are you sure you want to abort the print?" msgstr "本当にプリントを中止してもいいですか?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "サポートとしてプリントされます。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "このモデルに重なる他のモデルは修正されます。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "このモデルとのインフィル交差は修正されます。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "このモデルとの重なりはサポートされません。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "インターフェイス" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "通貨:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "テーマ:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "セッティングを変更すると自動にスライスします。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "自動的にスライスする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "ビューポイント機能" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "ディスプレイオーバーハング" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "モデルエラーを表示" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "アイテムを選択するとカメラが中心にきます" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:365 +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:370 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "カメラのズーム方向を反転する。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "ズームはマウスの方向に動くべきか?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "マウスの方向にズームする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "モデルの距離が離れているように確認する" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 +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:436 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "自動的にモデルをビルドプレートに落とす" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:448 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "G-codeリーダーに注意メッセージを表示します。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "G-codeリーダーに注意メッセージ" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "レイヤーはコンパティビリティモードに強制されるべきか?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:470 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "レイヤービューコンパティビリティモードを強制する。(再起動が必要)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:480 +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:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "開始時にウィンドウの位置を復元" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "どのような種類のカメラレンダリングを使用する必要がありますか?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "カメラレンダリング:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "パースペクティブ表示" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "平行投影表示" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "ファイルを開くまた保存" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Curaの単一インスタンスを使用" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "大きなモデルをスケールする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "極端に小さなモデルをスケールアップする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "モデルはロード後に選択しますか?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "ロード後にモデルを選択" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "プリンターの敬称をジョブネームに加える" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:630 +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:634 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "プロジェクトを保存時にダイアログサマリーを表示する" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:644 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "プロジェクトファイルを開く際のデフォルト機能" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "プロジェクトファイル開く際のデフォルト機能: " + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "毎回確認する" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "常にプロジェクトとして開く" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "常にモデルを取り込む" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "常に変更した設定を廃棄する" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "常に変更した設定を新しいプロファイルに送信する" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 +msgctxt "@label" +msgid "Privacy" +msgstr "プライバシー" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "スタート時にアップデートあるかどうかのチェック" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(不特定な) プリントインフォメーションを送信" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "プリンター" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "フィラメントを取り込む" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "フィラメントを書き出す" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "Search settings" -msgstr "検索設定" +msgid "Check all" +msgstr "全てを調べる" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "すべてのエクストルーダーの値をコピーする" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "エクストルーダー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -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の場合、ホットエンドの加熱はオフになっています。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "この設定を非表示にする" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "このホットエンドの現在の温度です。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -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 "ホットエンドをプリヒートする温度です。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -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 "キャンセル" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "プリンターの追加" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "プリントをアクティベートする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +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 +msgctxt "@label" +msgid "Profile" +msgstr "プロファイル" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"いくらかの設定プロファイルにある値とことなる場合無効にします。\n" +"プロファイルマネージャーをクリックして開いてください。" + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "インフィル半減" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "サポート" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4894,32 +5131,32 @@ msgstr "" "いくらかの非表示設定は通常の計算された値と異なる値を使用します。\n" "表示されるようにクリックしてください。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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 "影響を与えるすべての設定がオーバーライドされるため、この設定は使用されません。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "影響" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "次によって影響を受ける" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "この設定は常に全てのエクストルーダーに共有されています。ここですべてのエクストルーダーの数値を変更できます。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "この設定はエクストルーダー固有の競合する値から取得します:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4929,7 +5166,7 @@ msgstr "" "この設定にプロファイルと異なった値があります。\n" "プロファイルの値を戻すためにクリックしてください。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4939,713 +5176,308 @@ msgstr "" "このセッティングは通常計算されます、今は絶対値に固定されています。\n" "計算された値に変更するためにクリックを押してください。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "検索設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +msgctxt "@action:menu" +msgid "Copy value to all extruders" +msgstr "すべてのエクストルーダーの値をコピーする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:477 +msgctxt "@action:menu" +msgid "Copy all changed values to all extruders" +msgstr "すべてのエクストルーダーに対して変更された値をコピーする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "この設定を非表示にする" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "この設定を表示しない" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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ビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "フロントビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "トップビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "左ビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "右ビュー" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "エクストルーダー" +msgid "View type" +msgstr "タイプ表示" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "クラウドプリンターを追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "このホットエンドの現在の温度です。" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "クラウドの応答を待機しています" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "アカウントにプリンターが見つかりませんか?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -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に追加されました。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "プレヒート" +msgid "Add printer manually" +msgstr "プリンタを手動で追加する" -#: /mnt/projects/ultimaker/cura/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 "プリント開始前にホットエンドを加熱します。加熱中もプリントの調整を行えます、またホットエンドが加熱するまでプリント開始を待つ必要もありません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "エクストルーダーのマテリアルの色。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "エクストルーダー入ったフィラメント。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "ノズルが入ったエクストルーダー。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "ビルドプレート" +msgid "Manufacturer" +msgstr "製造元" -#: /mnt/projects/ultimaker/cura/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の場合、ベッドの加熱はオフになっています。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "現在のヒーティッドベッドの温度。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "ベッドのプリヒート温度。" - -#: /mnt/projects/ultimaker/cura/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 "プリント開始前にベッドを加熱します。加熱中もプリントの調整を行えます、またべットが加熱するまでプリント開始を待つ必要もありません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "プリンターコントロール" +msgid "Profile author" +msgstr "プロファイル作成者" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "ジョグの位置" +msgid "Printer name" +msgstr "プリンター名" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" +msgstr "プリンターに名前を付けてください" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "プリンターの追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "ネットワークプリンターの追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "ジョグの距離" +msgid "Add a non-networked printer" +msgstr "非ネットワークプリンターの追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "G-codeの送信" +msgid "There is no printer found over your network." +msgstr "ネットワークにプリンターはありません。" -#: /mnt/projects/ultimaker/cura/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」を押してコマンドを送信します。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "このプリンターはつながっていません。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "サポートとしてプリントされます。" +msgid "Refresh" +msgstr "更新" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "このモデルに重なる他のモデルは修正されます。" +msgid "Add printer by IP" +msgstr "IP でプリンターを追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "このモデルとのインフィル交差は修正されます。" +msgid "Add cloud printer" +msgstr "クラウドプリンターを追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "このモデルとの重なりはサポートされません。" +msgid "Troubleshooting" +msgstr "トラブルシューティング" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "%1個の設定を上書きします。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "マーケットプレース" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&編集" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "拡張子" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "プレファレンス" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "ヘルプ" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "新しいプロジェクト" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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 "新しいプロジェクトを開始しますか?この作業では保存していない設定やビルドプレートをクリアします。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "このパッケージは再起動後にインストールされます。" +msgid "Add printer by IP address" +msgstr "IP アドレスでプリンターを追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "設定" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "プリンターのIPアドレスを入力します。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1を閉じています" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "追加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -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/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "デバイスに接続できません。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -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プリンターに接続できませんか?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "ファイルを開く(s)" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "このアドレスのプリンターは応答していません。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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 "このプリンタは不明なプリンタであるか、またはグループのホストではないため、追加できません。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "プリンターを追加する" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "戻る" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "無料のUltimakerアカウントを作成" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "スキップ" + +#: /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 "" +"以下の手順で\n" +"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:28 +msgctxt "@label" msgid "What's New" msgstr "新情報" -#: /mnt/projects/ultimaker/cura/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 "クラウドプリンターがオフラインです。プリンターの電源が入っている状態で、インターネットに接続されているかどうかを確認してください。" - -#: /mnt/projects/ultimaker/cura/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にアクセスして接続を確立してください。" - -#: /mnt/projects/ultimaker/cura/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 "クラウド接続は現在利用できません。サインインしてクラウドプリンターに接続してください。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "クラウド接続は現在利用できません。インターネット接続を確認してください。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "プリンターの追加" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "プリンター管理" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "キャンセルしたプリンター" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "プリンターのプリセット" - -# can’t enter japanese -#: /mnt/projects/ultimaker/cura/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で印刷する" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "時間予測" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "材料予測" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "スライス中..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "スライスできません" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "処理" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "スライス" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "スライス処理の開始" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "キャンセル" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "時間予測がありません" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "コスト予測がありません" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "プレビュー" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "取り外し可能なドライブホットプラギング及びサポートの書き出しの供給。" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "取り外し可能なドライブアウトプットデバイスプラグイン" - -#: 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 にバージョンアップグレート" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Cura 4.2からCura 4.3の設定をアップグレードします。" - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "4.2から4.3にバージョンをアップグレート" - -#: 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/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/VersionUpgrade26to27/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Cura 2.6 からCura 2.7のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "2.6から2.7にバージョンアップグレート" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Cura 2.5 からCura 2.6のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "2.5から2.6にバージョンアップグレート" - -#: 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/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Cura 2.1 からCura 2.2のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "2.1 から2.2にバージョンアップグレート" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Cura 4.3からCura 4.4へのコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "4.3から4.4にバージョンアップグレート" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Cura 3.4 から Cura 3.5 のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "3.4 から 3.5 にバージョンアップグレート" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Cura 2.7からCura 3.0のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "2.7から3.0にバージョンアップグレート" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "AMFファイルの読込みをサポートしています。" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMFリーダー" - -#: 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プロファイルリーダー" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "ファームウェアアップデートのためのマシン操作を提供します。" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "ファームウェアアップデーター" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "X3Dファイルを読むこむためのサポートを供給する。" - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3Dリーダー" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "新しいCuraパッケージを検索、管理、インストールします。" - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -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 "後処理" - -#: 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エンジンバックエンド" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "G-codeを承認し、プリンターに送信する。またプラグインはファームウェアをアップデートできます。" - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USBプリンティング" - -#: 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プロファイルライター" - -#: 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ネットワーク接続" - -#: 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プリンターのアクション" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "3MFファイルを読むこむためのサポートを供給する。" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MFリーダー" - -#: 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ライター" - -#: 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リーダー" +msgid "No items to select from" +msgstr "選択するアイテムがありません" #: ModelChecker/plugin.json msgctxt "description" @@ -5657,105 +5489,15 @@ msgctxt "name" msgid "Model Checker" msgstr "モデルチェッカー" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "ファームウェアアップデートをチェックする。" +msgid "Provides support for reading 3MF files." +msgstr "3MFファイルを読むこむためのサポートを供給する。" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "ファームウェアアップデートチェッカー" - -#: 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リーダー" - -#: 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 "サポート消去機能" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "モデルファイルを読み込むためのサポートを供給します。" - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimeshリーダー" - -#: 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 "監視ロガー" - -#: 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 リーダー" - -#: 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プロファイルリーダー" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Curaで準備ステージを提供します。" - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "ステージの準備" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Curaでモニターステージを提供します。" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "モニターステージ" - -#: XRayView/plugin.json -msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "透視ビューイング。" - -#: XRayView/plugin.json -msgctxt "name" -msgid "X-Ray View" -msgstr "透視ビュー" +msgid "3MF Reader" +msgstr "3MFリーダー" #: 3MFWriter/plugin.json msgctxt "description" @@ -5767,65 +5509,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MFリーダー" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "不特定なスライス情報を提出。プレファレンスの中で無効になる可能性もある。" +msgid "Provides support for reading AMF files." +msgstr "AMFファイルの読込みをサポートしています。" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "スライスインフォメーション" +msgid "AMF Reader" +msgstr "AMFリーダー" -#: 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 バックアップ" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "シミュレーションビューを提供します。" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "CuraEngineスライシングバックエンドにリンクを供給する。" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "シミュレーションビュー" - -#: 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 "プリンターの設定アクション" - -#: 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 "フィラメントプロファイル" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "ノーマルなソリットメッシュビューを供給する。" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "ソリッドビュー" +msgid "CuraEngine Backend" +msgstr "Curaエンジンバックエンド" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5837,15 +5549,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Curaプロファイルリーダー" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Ultimakerフォーマットパッケージへの書き込みをサポートします。" +msgid "Provides support for exporting Cura profiles." +msgstr "Curaプロファイルを書き出すためのサポートを供給する。" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UFPライター" +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 "" + +#: DigitalLibrary/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 "圧縮ファイルから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" @@ -5867,15 +5649,445 @@ msgctxt "name" msgid "Image Reader" msgstr "画像リーダー" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "構成をバックアップしてリストアします。" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "レガシーCura Versionsからプロファイルを取り込むためのサポートを供給する。" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura バックアップ" +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." +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 "Curaで準備ステージを提供します。" + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "ステージの準備" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Curaでプレビューステージを提供します。" + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "プレビューステージ" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "取り外し可能なドライブホットプラギング及びサポートの書き出しの供給。" + +#: RemovableDriveOutputDevice/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 "ソリッドビュー" + +#: 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 "新しいCuraパッケージを検索、管理、インストールします。" + +#: 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 "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 リーダー" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Ultimakerフォーマットパッケージへの書き込みをサポートします。" + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UFPライター" + +#: 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プリンターのアクション" + +#: 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ネットワーク接続" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "G-codeを承認し、プリンターに送信する。またプラグインはファームウェアをアップデートできます。" + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USBプリンティング" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Cura 2.1 からCura 2.2のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "2.1 から2.2にバージョンアップグレート" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Cura 2.5 からCura 2.6のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "2.5から2.6にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Cura 2.6 からCura 2.7のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "2.6から2.7にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade27to30/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Cura 2.7からCura 3.0のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade27to30/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にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Cura 3.4 から Cura 3.5 のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "3.4 から 3.5 にバージョンアップグレート" + +#: 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 にバージョンアップグレート" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Cura 4.2からCura 4.3の設定をアップグレードします。" + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "4.2から4.3にバージョンをアップグレート" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Cura 4.3からCura 4.4へのコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "X3Dファイルを読むこむためのサポートを供給する。" + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3Dリーダー" + +#: 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 "フィラメントプロファイル" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "透視ビューイング。" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "透視ビュー" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/ja_JP/fdmextruder.def.json.po b/resources/i18n/ja_JP/fdmextruder.def.json.po index eb3c67420b..dc0d42f7d6 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 fc4505e531..69dc93c604 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:00+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Japanese , Japanese \n" @@ -3289,8 +3289,8 @@ msgstr "引き戻しのない最大コム距離" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "ゼロ以外の場合、この距離より移動量が多い場合は、引き戻しを使用します。" +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6535,6 +6535,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "ファイルから読み込むときに、モデルに適用するトランスフォーメーションマトリックス。" +#~ msgctxt "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "ゼロ以外の場合、この距離より移動量が多い場合は、引き戻しを使用します。" + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "エクストルーダーのオフセットを座標システムに適用します。" diff --git a/resources/i18n/ko_KR/cura.po b/resources/i18n/ko_KR/cura.po index caba86966f..10a2c646fa 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 15:01+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Korean , Jinbum Kim , Korean \n" @@ -17,170 +17,180 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "기기로드 중 ..." +#: /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:1612 +#: /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 "알 수 없는" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -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 "아래 프린터는 그룹에 속해 있기 때문에 연결할 수 없습니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "활성 기기 초기화 중..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "사용 가능한 네트워크 프린터" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "패키지 관리자 초기화 중..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "재정의되지 않음" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "출력 사이즈 초기화 중..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "장면 설정 중..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "인터페이스 로드 중 ..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "엔진 초기화 중..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "한 번에 하나의 G-코드 파일만 로드 할 수 있습니다. {0} 가져 오기를 건너 뛰었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "경고" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "G-코드가 로드되어 있으면 다른 파일을 열 수 없습니다. {0} 가져 오기를 건너 뛰었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "오류" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "정말로 {0}을(를) 제거하시겠습니까? 이 작업을 실행 취소할 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "사용자 정의 소재" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "사용자 정의" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "알 수 없는" +msgid "Visual" +msgstr "뛰어난 외관" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "사용자 정의 소재" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "사용자 정의" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "사용자 정의 프로파일" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "지원되는 모든 유형 ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "모든 파일 (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "뛰어난 외관" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "로그인 실패" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "객체의 새 위치 찾기" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "위치 찾기" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +msgctxt "@info:status" +msgid "Unable to find a location within the build volume for all objects" +msgstr "모든 개체가 출력할 수 있는 최대 사이즈 내에 위치할 수 없습니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "초안" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "위치를 찾을 수 없음" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "사용자 데이터 디렉터리에서 압축 파일을 만들 수 없습니다: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "백업" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "사용 가능한 네트워크 프린터" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "적절한 데이터 또는 메타 데이터 없이 Cura 백업을 복원하려고 시도했습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "재정의되지 않음" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "현재 버전보다 높은 Cura 백업을 복원하려고 시도했습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "출력물 크기" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "큐라를 시작할 수 없습니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -195,32 +205,32 @@ msgstr "" "                    

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

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "시스템 정보" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "알 수 없음" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura 버전" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura 언어" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "OS 언어" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "플랫폼" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt 버전" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt 버전" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "아직 초기화되지 않음
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL 버전: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL 공급업체: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "오류 추적" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "로그" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "보고서 전송" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "로그인 실패" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "기기로드 중 ..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "환경 설정을 설정하는 중..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "활성 기기 초기화 중..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "패키지 관리자 초기화 중..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "출력 사이즈 초기화 중..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "장면 설정 중..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "인터페이스 로드 중 ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "엔진 초기화 중..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "경고" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "오류" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "객체를 증가시키고 배치" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "개체 배치 중" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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 "응답을 읽을 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "새 로그인 작업을 시작할 수 없습니다. 다른 로그인 작업이 진행 중인지 확인하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Ultimaker 계정 서버에 도달할 수 없음." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "입력한 상태가 올바르지 않습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 msgctxt "@message" msgid "Please give the required permissions when authorizing this application." msgstr "이 응용 프로그램을 인증할 때 필요한 권한을 제공하십시오." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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 "로그인을 시도할 때 예기치 못한 문제가 발생했습니다. 다시 시도하십시오." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +msgctxt "@info" +msgid "Unable to reach the Ultimaker account server." +msgstr "Ultimaker 계정 서버에 도달할 수 없음." + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "파일이 이미 있습니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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}이 이미 있습니다. 덮어 쓰시겠습니까?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "유효하지 않은 파일 URL:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "노즐" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "익스트루더의 현재 가용성과 일치하도록 설정이 변경되었습니다:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "설정이 업데이트되었습니다" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "익스트루더 비활성화됨" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "프로파일을 {0}: {1}로 내보내는데 실패했습니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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 플러그인이 오류를 보고했습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "프로파일을 {0} 에 내보냅니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "내보내기 완료" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "{0}에서 프로파일을 가져오지 못했습니다 {1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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}에서 프로파일을 가져올 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "{0}(으)로 가져올 사용자 정의 프로파일이 없습니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "{0}에서 프로파일을 가져오지 못했습니다:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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}에는 정확하지 않은 데이터가 포함되어 있으므로, 불러올 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "{0}에서 프로파일을 가져오지 못했습니다:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "프로파일 {0}을(를) 성공적으로 가져왔습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "파일 {0}에 유효한 프로파일이 포함되어 있지 않습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "프로파일 {0}에 알 수 없는 파일 유형이 있거나 손상되었습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "사용자 정의 프로파일" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "프로파일에 품질 타입이 누락되었습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "아직 활성화된 프린터가 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "프로파일을 추가할 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "'{0}' 품질 타입은 현재 활성 기기 정의 '{1}'와(과) 호환되지 않습니다." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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}' 품질 타입을 현재 구성에 이용할 수 없기 때문에 찾을 수 없습니다. 이 품질 타입을 사용할 수 있는 재료/노즐 조합으로 전환하십시오." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "지원되지 않음" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "객체의 새 위치 찾기" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "노즐" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "익스트루더의 현재 가용성과 일치하도록 설정이 변경되었습니다:" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "위치 찾기" +msgid "Settings updated" +msgstr "설정이 업데이트되었습니다" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "모든 개체가 출력할 수 있는 최대 사이즈 내에 위치할 수 없습니다" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "위치를 찾을 수 없음" +msgid "Extruder(s) Disabled" +msgstr "익스트루더 비활성화됨" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "취소" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "그룹 #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "건너뛰기" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "닫기" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "다음" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "종료" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "외벽" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "내벽" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "스킨" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "내부채움" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "내부채움 서포트" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "지원하는 인터페이스" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "서포트" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "스커트" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "프라임 타워" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "움직임 경로" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "리트랙션" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "다른" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "추가" +msgid "Next" +msgstr "다음" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "취소" +msgid "Skip" +msgstr "건너뛰기" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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 "\"프린팅 순서\"설정 값으로 인해 갠트리가 프린팅 된 모델과 충돌하지 않도록 출력물 높이가 줄어 들었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 -msgctxt "@info:title" -msgid "Build Volume" -msgstr "출력물 크기" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "사용자 데이터 디렉터리에서 압축 파일을 만들 수 없습니다: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "백업" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "적절한 데이터 또는 메타 데이터 없이 Cura 백업을 복원하려고 시도했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "현재 버전보다 높은 Cura 백업을 복원하려고 시도했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "객체를 증가시키고 배치" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "개체 배치 중" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "개체 배치 중" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "이동식 드라이브에 저장" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "이동식 드라이브 {0}에 저장" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "쓸 수있는 파일 형식이 없습니다!" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "이동식 드라이브 {0}에 저장" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "저장" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "{0}: {1} 에 저장할 수 없습니다" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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} 장치에 쓸 때 파일 이름을 찾을 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "이동식 드라이브 {0}: {1} 에 저장할 수 없습니다 :" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "이동식 드라이브 {0}에 {1}로 저장되었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -msgctxt "@info:title" -msgid "File Saved" -msgstr "파일이 저장됨" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /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 "Eject" -msgstr "꺼내기" +msgid "Close" +msgstr "닫기" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "이동식 장치 {0} 꺼내기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0}가 배출됐습니다. 이제 드라이브를 안전하게 제거 할 수 있습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "하드웨어 안전하게 제거" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "{0}를 배출하지 못했습니다. 다른 프로그램이 드라이브를 사용 중일 수 있습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "이동식 드라이브" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF 파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code 파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "펌웨어 업데이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D 파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "거절" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "동의" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "플러그인 사용 계약" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "계정에서 거절 및 제거" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{}개의 플러그인을 다운로드하지 못했습니다" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "동기화 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Ultimaker 계정에서 변경 사항이 감지되었습니다" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "변경 사항이 적용되기 전에 {}을(를) 멈추고 다시 시작해야 합니다." - -#: /mnt/projects/ultimaker/cura/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 "귀하의 계정으로 재료와 소프트웨어 패키지를 동기화하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "동기화" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "모델 별 설정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "모델 별 설정 구성" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "후 처리" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G 코드 수정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "선택한 소재 또는 구성과 호환되지 않기 때문에 현재 소재로 슬라이스 할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "슬라이스 할 수 없습니다" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "현재 설정으로 슬라이스 할 수 없습니다. 다음 설정에는 오류가 있습니다 : {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "프라임 타워 또는 위치가 유효하지 않아 슬라이스 할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "비활성화된 익스트루더 %s(와)과 연결된 개체가 있기 때문에 슬라이스할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 -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" -"- 수정자 메쉬로 전체 설정되지 않음" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "레이어 처리 중" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:title" -msgid "Information" -msgstr "정보" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "USB를 통해 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "USB를 통해 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "USB를 통해 연결" - -#: /mnt/projects/ultimaker/cura/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를 닫으면 인쇄도 중단됩니다. 계속하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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를 통해 다른 프린트를 시작할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "프린트 진행 중" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura 프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "네트워크를 통해 연결" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "Ultimaker 계정에서 새 프린터가 감지되었습니다" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 -#, 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}) 추가" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "Digital Factory에서 프린터 추가:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 -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] "일부 프린터에서는 클라우드 연결을 사용할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 -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에 연결되어 있지 않습니다:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "연결을 설정하려면 {website_link}에 방문하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "프린터 구성 유지" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "프린터 제거" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 -#, 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}이(가) 제거됩니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 -#, 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}을(를) 방문하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 -#, 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}을(를) 제거하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 -msgctxt "@title:window" -msgid "Remove printers?" -msgstr "프린터를 제거하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 -#, python-brace-format -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" -"정말로 계속하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 -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" -"정말로 계속하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Cloud를 통해 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Cloud를 통해 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Cloud를 통해 연결됨" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "프린트 작업 업로드 시 알 수 없는 오류 코드: {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "내일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "오늘" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "인쇄 작업 전송" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "프린트 작업을 프린터로 업로드하고 있습니다." - -#: /mnt/projects/ultimaker/cura/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}이(가) 그룹의 호스트가 아닙니다. 웹 페이지에서 그룹 호스트로 설정할 수 있습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "그룹 호스트 아님" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "그룹 설정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 -msgctxt "@info:status" -msgid "Send and monitor print jobs from anywhere using your Ultimaker account." -msgstr "Ultimaker 계정을 사용하여 어디에서든 인쇄 작업을 전송하고 모니터링하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 -msgctxt "@info:status Ultimaker Cloud should not be translated." -msgid "Connect to Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory에 연결" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 -msgctxt "@action" -msgid "Get started" -msgstr "시작하기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "현재 작업이 전송될 때까지 기다려주십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "프린트 오류" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "데이터를 프린터로 업로드할 수 없음." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "네트워크 오류" - -#: /mnt/projects/ultimaker/cura/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} 그룹의 호스트 프린터에 설치되지 않은 재료 프로파일을 감지했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "재료를 프린터로 전송 중" - -#: /mnt/projects/ultimaker/cura/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 "프린트 작업 대기열이 가득 찼습니다. 프린터가 새 작업을 수락할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "대기열 가득 참" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "출력 작업이 프린터에 성공적으로 보내졌습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "데이터 전송 됨" - -#: /mnt/projects/ultimaker/cura/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를 실행하지 않는 프린터에 연결하려 합니다. 프린터를 최신 펌웨어로 업데이트해 주십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "프린터 업데이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "네트워크를 통해 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "네트워크를 통해 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "네트워크를 통해 연결됨" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "업그레이드 선택" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "레벨 빌드 플레이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "추천" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "사용자 정의" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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}이(가) 포함되어 있습니다. 기기를 가져올 수 없습니다. 대신 모델을 가져옵니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "프로젝트 파일 열기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "프로젝트 파일 {0}에 갑자기 접근할 수 없습니다: {1}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "프로젝트 파일 열 수 없음" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "프로젝트 파일 {0}이 손상됨: {1}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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에서 확인할 수 없는 프로파일을 사용하였습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF 파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "압축된 G-code 파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter는 텍스트 모드는 지원하지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3D 모델 도우미" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1288,1295 +739,1491 @@ msgstr "" "

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

    \n" "

    인쇄 품질 가이드 보기

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /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/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "프로젝트 파일 열기" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 +#, 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:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "프로젝트 파일 열 수 없음" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 +#, 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:698 +#, 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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF 파일" + +#: /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:26 +msgctxt "@info:title" +msgid "Backups" +msgstr "백업" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "백업을 업로드하는 도중 오류가 있었습니다." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "백업 생성 중..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "백업을 생성하는 도중 오류가 있었습니다." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "백업 업로드 중..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "백업이 업로드를 완료했습니다." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "백업 관리" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +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:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "슬라이스 할 수 없습니다" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#, 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:436 +#, 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:445 +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:454 +#, 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:463 +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:260 +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 "업데이트 정보에 액세스 할 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "사용자의 {machine_name}에서 새로운 기능 또는 버그 수정 사항을 사용할 수 있습니다! 최신 버전이 아닌 경우 프린터의 펌웨어를 버전 {latest_version}으로 업데이트하는 것이 좋습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /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 firmware available" msgstr "새로운 %s 펌웨어를 사용할 수 있습니다" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "업데이트하는 방법" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G 파일" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "펌웨어 업데이트" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /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 코드 파싱" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 +#: /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-코드 세부 정보" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:501 +#: /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-코드가 정확하지 않을 수 있습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "서포트 차단기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "서포트가 프린팅되지 않는 볼륨을 만듭니다." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "G File" +msgstr "G 파일" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker 포맷 패키지" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "준비" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "모니터" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "엑스레이 뷰" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "3MF 파일 작성 중 오류." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF 파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura 프로젝트 3MF 파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF 기록기 플러그인이 손상되었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "여기서 작업 환경을 작성할 권한이 없습니다." - -#: /mnt/projects/ultimaker/cura/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 "운영 체제가 프로젝트 파일을 이 위치로 또는 이 파일명으로 저장하지 못합니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "미리 보기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "레이어 뷰" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "와이어 프린팅이 활성화되어 있을 때 Cura는 레이어를 정확하게 표시하지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "시뮬레이션 뷰" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "먼저 슬라이스해야 하기 때문에 아무것도 표시되지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "표시할 레이어 없음" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "다시 메시지 표시 안 함" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "기기 설정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "솔리드 뷰" - -#: /mnt/projects/ultimaker/cura/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에서 다시 엽니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "모델 에러" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "자세히 알아보기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "UFP 파일에 쓸 수 없음:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 msgctxt "@error:not supported" msgid "GCodeWriter does not support non-text mode." msgstr "GCodeWriter는 텍스트가 아닌 모드는 지원하지 않습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +#: /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를 준비하십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 msgctxt "@item:inlistbox" msgid "JPG Image" msgstr "JPG 이미지" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 msgctxt "@item:inlistbox" msgid "JPEG Image" msgstr "JPEG 이미지" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 msgctxt "@item:inlistbox" msgid "PNG Image" msgstr "PNG 이미지" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 msgctxt "@item:inlistbox" msgid "BMP Image" msgstr "BMP 이미지" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 msgctxt "@item:inlistbox" msgid "GIF Image" msgstr "GIF 이미지" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "백업 복원 시도 중 오류가 있었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "백업" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "백업을 업로드하는 도중 오류가 있었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "백업 생성 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "백업을 생성하는 도중 오류가 있었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "백업 업로드 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "백업이 업로드를 완료했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "백업이 최대 파일 크기를 초과했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "백업 관리" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "펌웨어 업데이트" - -#: /mnt/projects/ultimaker/cura/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 프린터에서 직접 실행되는 소프트웨어입니다. 이 펌웨어는 스텝 모터를 제어하고 온도를 조절하며 프린터를 작동시킵니다." - -#: /mnt/projects/ultimaker/cura/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 "새 프린터와 함께 제공되는 펌웨어는 작동하지만 새로운 버전은 더 많은 기능과 향상된 기능을 제공하는 경향이 있습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "펌웨어 자동 업그레이드" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "사용자 정의 펌웨어 업로드" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "프린터와 연결되지 않아 펌웨어를 업데이트할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/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 "프린터와 연결이 펌웨어 업그레이드를 지원하지 않아 펌웨어를 업데이트할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "사용자 정의 펌웨어 선택" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "펌웨어 업데이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "펌웨어 업데이트 중." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "펌웨어 업데이트가 완료되었습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "알 수 없는 오류로 인해 펌웨어 업데이트에 실패했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "통신 오류로 인해 펌웨어 업데이트에 실패했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "입/출력 오류로 인해 펌웨어 업데이트에 실패했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "펌웨어 누락으로 인해 펌웨어 업데이트에 실패했습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "시장" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "패키지를 설치하려면 라이선스를 수락해야 합니다" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "계정의 변경 사항" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "취소" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "다음 것" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "다음 패키지가 추가됩니다:" - -#: /mnt/projects/ultimaker/cura/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 버전이기 때문에 다음 패키지를 설치할 수 없습니다:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "제거 확인" - -#: /mnt/projects/ultimaker/cura/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 "아직 사용 중인 재료 및/또는 프로파일을 제거합니다. 확인하면 다음 재료/프로파일이 기본값으로 재설정됩니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "재료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "확인" - -#: /mnt/projects/ultimaker/cura/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 패키지 데이터베이스에 연결할 수 없습니다. 연결을 확인하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "커뮤니티 기여" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "커뮤니티 플러그인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "일반 재료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "버전" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "마지막으로 업데이트한 날짜" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "상표" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "다운로드" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "설치된 플러그인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "설치된 플러그인이 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "설치된 재료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "설치된 재료가 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "번들 플러그인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "번들 재료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "웹 사이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "이메일" - -#: /mnt/projects/ultimaker/cura/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용으로 검증된 플러그인 및 재료를 받으려면 로그인하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "로그인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "패키지 가져오는 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "호환성" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "기기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "빌드 플레이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "서포트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "품질" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "기술 데이터 시트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "안전 데이터 시트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "인쇄 가이드라인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "웹 사이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "플러그인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "재료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "설치됨" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "웹 마켓플레이스로 이동" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "다시 시작 시 설치 예정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "업데이트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "업데이트 중" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "업데이트됨" - -#: /mnt/projects/ultimaker/cura/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 "업데이트에 로그인 필요" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "다운그레이드" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "설치 제거" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "설치됨" - -#: /mnt/projects/ultimaker/cura/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 "설치 또는 업데이트에 로그인 필요" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "재료 스플 구입" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "프리미엄" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "재료 검색" - -#: /mnt/projects/ultimaker/cura/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를 다시 시작해야 합니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "%1 종료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "뒤로" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "설치" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "메쉬 유형" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "일반 모델" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "서포터로 프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "오버랩 설정 수정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "오버랩 지원 안함" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "매쉬 내부채움 전용" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 프로파일" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "커팅 메쉬" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "설정 선택" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "이 모델에 맞게 사용자 정의 설정을 선택하십시오" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "필터..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "모두 보이기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "후처리 플러그인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "후처리 스크립트" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 msgctxt "@action" -msgid "Add a script" -msgstr "스크립트 추가" +msgid "Machine Settings" +msgstr "기기 설정" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 +#: /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 "Settings" -msgstr "설정" +msgid "Per Model Settings" +msgstr "모델 별 설정" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "활성 사후 처리 스크립트를 변경하십시오." +msgid "Configure Per Model Settings" +msgstr "모델 별 설정 구성" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 +#: /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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "저장" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "파일이 저장됨" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "꺼내기" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "이동식 장치 {0} 꺼내기" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "하드웨어 안전하게 제거" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "시뮬레이션 뷰" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "먼저 슬라이스해야 하기 때문에 아무것도 표시되지 않습니다." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "표시할 레이어 없음" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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 "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "다음 스크립트들이 활성화됩니다:" +msgid "Create a volume in which supports are not printed." +msgstr "서포트가 프린팅되지 않는 볼륨을 만듭니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -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 "귀하의 계정으로 재료와 소프트웨어 패키지를 동기화하시겠습니까?" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Ultimaker 계정에서 변경 사항이 감지되었습니다" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "동기화" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "인쇄 작업" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "동기화 중..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "총 인쇄 시간" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "거절" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -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 "동의" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "구성 변경" +msgid "Plugin License Agreement" +msgstr "플러그인 사용 계약" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "계정에서 거절 및 제거" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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 "Override" -msgstr "무시하기" +msgid "Print via cloud" +msgstr "Cloud를 통해 프린팅" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Cloud를 통해 프린팅" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "Cloud를 통해 연결됨" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:270 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "프린트 작업 업로드 시 알 수 없는 오류 코드: {0}" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:227 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "Ultimaker 계정에서 새 프린터가 감지되었습니다" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:238 +#, 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}) 추가" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:255 +#, 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}" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:260 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "Digital Factory에서 프린터 추가:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "유리" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +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] "일부 프린터에서는 클라우드 연결을 사용할 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "알루미늄" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +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에 연결되어 있지 않습니다:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "사용할 수 없는 프린터" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "첫 번째로 사용 가능" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "연결을 설정하려면 {website_link}에 방문하십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "대기열을 원격으로 관리하려면 프린터 펌웨어를 업데이트하십시오." +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "프린터 구성 유지" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "프린터 제거" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#, 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:422 +#, 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:423 +#, 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:460 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "네트워크 프린터에 연결" +msgid "Remove printers?" +msgstr "프린터를 제거하시겠습니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#, python-brace-format 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-코드 파일을 프린터로 전송할 수 있습니다." +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" +"정말로 계속하시겠습니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "아래 목록에서 프린터를 선택하십시오:" +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" +"정말로 계속하시겠습니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "편집" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +msgctxt "@info:status" +msgid "Send and monitor print jobs from anywhere using your Ultimaker account." +msgstr "Ultimaker 계정을 사용하여 어디에서든 인쇄 작업을 전송하고 모니터링하십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "제거" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +msgctxt "@info:status Ultimaker Cloud should not be translated." +msgid "Connect to Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory에 연결" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "새로고침" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +msgctxt "@action" +msgid "Get started" +msgstr "시작하기" -#: /mnt/projects/ultimaker/cura/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/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를 실행하지 않는 프린터에 연결하려 합니다. 프린터를 최신 펌웨어로 업데이트해 주십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "유형" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "프린터 업데이트" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -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} 그룹의 호스트 프린터에 설치되지 않은 재료 프로파일을 감지했습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "주소" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "재료를 프린터로 전송 중" -#: /mnt/projects/ultimaker/cura/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/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}이(가) 그룹의 호스트가 아닙니다. 웹 페이지에서 그룹 호스트로 설정할 수 있습니다." -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "그룹 호스트 아님" -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:35 +msgctxt "@action" +msgid "Configure group" +msgstr "그룹 설정" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -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 "현재 작업이 전송될 때까지 기다려주십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "잘못된 IP 주소" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "프린트 오류" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "데이터를 프린터로 업로드할 수 없음." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "프린터 주소" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "네트워크 오류" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "인쇄 작업 전송" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "확인" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "프린트 작업을 프린터로 업로드하고 있습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" +#: /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 "네트워크를 통해 프린팅" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "프린트" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "네트워크를 통해 프린팅" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +#: /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 msgctxt "@label" -msgid "Printer selection" -msgstr "프린터 선택" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USB 인쇄가 진행 중입니다. Cura를 닫으면 인쇄도 중단됩니다. 계속하시겠습니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "맨 위로 이동" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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를 통해 다른 프린트를 시작할 수 없습니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "삭제" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "프린트 진행 중" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "재개" +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D 파일" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "일시 정지 중..." +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "엑스레이 뷰" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -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 "이 출력물에는 문제가있을 수 있습니다. 조정을 위한 도움말을 보려면 클릭하십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "중지" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "중지 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "중단" - -#: /mnt/projects/ultimaker/cura/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(을)를 대기열의 맨 위로 이동하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "인쇄 작업을 맨 위로 이동" - -#: /mnt/projects/ultimaker/cura/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(을)를 삭제하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "인쇄 작업 삭제" - -#: /mnt/projects/ultimaker/cura/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(을)를 정말로 중지하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "프린팅 중단" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "중단됨" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "끝마친" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "준비 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "중지 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "일시 정지 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "일시 중지됨" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "다시 시작..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "조치가 필요함" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "%2에서 %1 완료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "프린터 관리" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "로딩 중..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "사용불가" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "연결할 수 없음" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "대기 상태" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "프린팅" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "제목 없음" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "익명" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "구성 변경 필요" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "세부 사항" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "이 Ultimaker Original에 업그레이드 할 항목을 선택하십시오" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "히팅 빌드 플레이트 (공식 키트 또는 자체 조립식)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "빌드 플레이트 레벨링" - -#: /mnt/projects/ultimaker/cura/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 "프린팅이 잘 되도록 빌드 플레이트를 조정할 수 있습니다. '다음 위치로 이동'을 클릭하면 노즐이 조정할 수있는 다른 위치로 이동합니다." - -#: /mnt/projects/ultimaker/cura/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 "모든 자리에; 노즐 아래에 종이 한 장을 넣고 프린팅 빌드 플레이트 높이를 조정하십시오. 빌드플레이드의 높이는 종이의 끝 부분이 노즐의 끝부분으로 살짝 닿을 때의 높이입니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "빌드플레이트 레벨링 시작하기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "다음 위치로 이동" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "프로젝트 열기" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "기존 업데이트" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "새로 만들기" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "요약 - Cura 프로젝트" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "프린터 설정" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "기기의 충돌을 어떻게 해결해야합니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "유형" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "프린터 그룹" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "프로파일 설정" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "프로파일의 충돌을 어떻게 해결해야합니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "이름" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "프로파일에 없음" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 무시" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivative from" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 무시" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "재료 설정" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "재료의 충돌은 어떻게 해결되어야합니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "표시 설정" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "종류" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "표시 설정 :" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "1 out of %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "프로젝트를 로드하면 빌드 플레이트의 모든 모델이 지워집니다." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "열기" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "무엇을 더 하시겠습니까?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "백업 삭제" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "백업 복원" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura 백업" + +#: /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:199 +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 "펌웨어는 3D 프린터에서 직접 실행되는 소프트웨어입니다. 이 펌웨어는 스텝 모터를 제어하고 온도를 조절하며 프린터를 작동시킵니다." + +#: /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 "새 프린터와 함께 제공되는 펌웨어는 작동하지만 새로운 버전은 더 많은 기능과 향상된 기능을 제공하는 경향이 있습니다." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "펌웨어 자동 업그레이드" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "사용자 정의 펌웨어 업로드" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "이미지 변환 ..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "높이 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "바닥 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "너비 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "깊이 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "어두울수록 높음" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +msgctxt "@item:inlistbox" +msgid "Lighter is higher" +msgstr "밝을수록 높음" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "반투명성" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "1mm의 투과율(%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@label" +msgid "Nozzle size" +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 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /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 "노즐 오프셋 X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "노즐 오프셋 Y" + +#: /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 "익스트루더 시작 Gcode" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (너비)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (깊이)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (높이)" + +#: /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 "Gcode 유형" + +#: /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 "X 최소값" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y 최소값" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X 최대값" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y 최대값" + +#: /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 "익스트루더 오프셋을 GCode에 적용" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "시작 GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "End GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2587,1359 +2234,969 @@ msgstr "" "프린터에 연결이 있는지 확인하십시오.⏎- 프린터가 켜져 있는지 확인하십시오.\n" "- 프린터가 네트워크에 연결되어 있는지 확인하십시오.⏎- 클라우드로 연결된 프린터를 탐색할 수 있도록 로그인되어 있는지 확인하십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "프린터를 네트워크에 연결하십시오." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "사용자 매뉴얼 온라인 보기" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "매쉬 내부채움 전용" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "커팅 메쉬" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "설정 선택" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "익명 데이터 수집에 대한 추가 정보" +msgid "Select Settings to Customize for this model" +msgstr "이 모델에 맞게 사용자 정의 설정을 선택하십시오" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "필터..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "모두 보이기" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "익명 데이터 전송 허용" +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "후처리 플러그인" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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] "다음 스크립트들이 활성화됩니다:" + +#: /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 "색 구성표" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "재료 색상" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "라인 유형" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "속도" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "레이어 두께" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "선 두께" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "호환 모드" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "이동" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "도움말" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "외곽" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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 "내부채움" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "시작" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "상단 레이어 만 표시" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 msgctxt "@label" msgid "Show 5 Detailed Layers On Top" msgstr "상단에 5 개의 세부 레이어 표시" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "위 / 아래" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "내벽" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "최소" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "최대" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "노즐 설정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "노즐 크기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "호환되는 재료의 직경" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "노즐 오프셋 X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "노즐 오프셋 Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "냉각 팬 번호" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "익스트루더 시작 Gcode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "익스트루더 종료 Gcode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "프린터" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "프린터 설정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (너비)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (깊이)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (높이)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "빌드 플레이트 모양" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "중앙이 원점" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "히트 베드" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "히팅 빌드 사이즈" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Gcode 유형" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "프린트헤드 설정" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X 최소값" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y 최소값" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X 최대값" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y 최대값" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "갠트리 높이" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "익스트루더의 수" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "익스트루더 오프셋을 GCode에 적용" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "시작 GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "End GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "이미지 변환 ..." +msgid "More information on anonymous data collection" +msgstr "익명 데이터 수집에 대한 추가 정보" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:33 -msgctxt "@info:tooltip" -msgid "The maximum distance of each pixel from \"Base.\"" -msgstr "\"Base\"에서 각 픽셀까지의 최대 거리." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "높이 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:56 -msgctxt "@info:tooltip" -msgid "The base height from the build plate in millimeters." -msgstr "밀리미터 단위의 빌드 플레이트에서 기저부 높이." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "바닥 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "빌드 플레이트의 폭 (밀리미터)." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "너비 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "빌드 플레이트의 깊이 (밀리미터)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "깊이 (mm)" - -#: /mnt/projects/ultimaker/cura/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 모델에서 더 밝은 픽셀이 더 두꺼운 위치에 해당해야 합니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "어두울수록 높음" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "밝을수록 높음" - -#: /mnt/projects/ultimaker/cura/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 "리쏘페인의 경우 반투명성을 위한 간단한 로그 모델을 사용할 수 있습니다. 높이 지도의 경우, 픽셀 값은 높이에 선형적으로 부합합니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "직선 모양" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "반투명성" - -#: /mnt/projects/ultimaker/cura/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인 출력물을 관통하는 빛의 비율 이 값을 낮추면 어두운 부분의 대조가 증가하고 이미지의 밝은 부분의 대조가 감소합니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "1mm의 투과율(%)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:195 -msgctxt "@info:tooltip" -msgid "The amount of smoothing to apply to the image." -msgstr "이미지에 적용할 스무딩(smoothing)의 정도." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "스무딩(smoothing)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "내 백업" - -#: /mnt/projects/ultimaker/cura/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 "현재 백업이 없습니다. ‘지금 백업’ 버튼을 사용하여 생성하십시오." - -#: /mnt/projects/ultimaker/cura/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개로 제한됩니다. 기존 백업을 보려면 백업을 제거하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Cura 설정을 백업, 동기화하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "무엇을 더 하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "지금 백업" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "자동 백업" - -#: /mnt/projects/ultimaker/cura/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가 시작되는 날마다 자동으로 백업을 생성하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura 버전" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "기기" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "재료" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "플러그인" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "복원" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "백업 삭제" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "이 백업을 삭제하시겠습니까? 이 작업을 완료할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "백업 복원" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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를 닫으시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura 백업" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "재료" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "즐겨찾기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "일반" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "파일" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "프로젝트 저장(&S)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "내보내기(&E)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "내보내기 선택..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "최근 열어본 파일 열기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "구성 선택" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "구성" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "구성" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "사용자 정의" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "프린터" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "실행됨" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "재료" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "더 나은 접착력을 위해 이 재료 조합과 함께 접착제를 사용하십시오.." - -#: /mnt/projects/ultimaker/cura/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에 방문하여 올바른 재료 프로파일을 다운로드하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "시장" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "프린터에서 사용 가능한 구성 로딩 중..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "프린터가 연결되어 있지 않기 때문에 구성을 사용할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "보기(&V)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "카메라 위치(&C)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "카메라 뷰" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "원근" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "직교" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "빌드 플레이트(&B)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "네트워크 프린터" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "로컬 프린터" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "표시 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "모든 카테고리 붕괴" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "보기 설정 관리..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "프린터(&P)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "재료(&M)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "활성 익스트루더로 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "익스트루더 사용" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "익스트루더 사용하지 않음" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "프로젝트 저장 중..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "선택된 모델 프린팅 :" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "선택한 모델 복" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "복제할 수" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "파일 여는 중..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "사용자 정의 프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "현재 변경 사항 삭제" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "프로파일" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"일부 설정/대체 값은 프로파일에 저장된 값과 다릅니다.\n" -"\n" -"프로파일 매니저를 열려면 클릭하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "유효한" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "비활성" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "실험적 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "추천" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "사용자 정의" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "프린팅 설정" - -#: /mnt/projects/ultimaker/cura/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 코드 파일을 수정할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "점진적 내부채움" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "점차적인 내부채움은 점차적으로 빈 공간 채우기의 양을 증가시킵니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -msgctxt "@tooltip" -msgid "You have modified some profile settings. If you want to change these go to custom mode." -msgstr "일부 프로파일 설정을 수정했습니다. 이러한 설정을 변경하려면 사용자 지정 모드로 이동하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "서포트" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -msgctxt "@label" -msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." -msgstr "오버행이 있는 모델 서포트를 생성합니다. 이러한 구조가 없으면 이러한 부분이 프린팅 중에 붕괴됩니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "부착" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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 "브림이나 라프트를 사용합니다. 이렇게하면 출력물 주변이나 아래에 평평한 영역이 추가되어 나중에 쉽게 자를 수 있습니다." - -#: /mnt/projects/ultimaker/cura/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 프로파일이 없습니다. 대신 기본 의도가 사용됩니다" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "선택할 항목 없음" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "활성화된 프린트" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "작업 이름" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "프린팅 시간" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "예상 남은 시간" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "변경 사항 삭제 또는 유지" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"일부 프로파일 설정을 사용자 정의했습니다.\n" -"프로파일 전환 후에도 변경된 설정을 유지하시겠습니까?\n" -"또는 변경 사항을 버리고 '%1'에서 기본값을 로드할 수 있습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "프로파일 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "현재 변경 사항" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "항상 묻기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "최소하고 다시 묻지않기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "계속하고 다시 묻지않기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "변경 사항 삭제" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "변경 사항 유지" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "%1 정보" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "버전: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:72 -msgctxt "@label" -msgid "End-to-end solution for fused filament 3D printing." -msgstr "3D 프린팅을 위한 엔드 투 엔트 솔루션." - -#: /mnt/projects/ultimaker/cura/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는 커뮤니티와 공동으로 Ultimaker B.V.에 의해 개발되었습니다.\n" -"Cura는 다음의 오픈 소스 프로젝트를 사용합니다:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "그래픽 사용자 인터페이스" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "애플리케이션 프레임 워크" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "GCode 생성기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "프로세스간 통신 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "프로그래밍 언어" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI 프레임 워크" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUI 프레임 워크 바인딩" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C/C ++ 바인딩 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "데이터 교환 형식" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "과학 컴퓨팅을 위한 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "더 빠른 수학연산을 위한 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "STL 파일 처리를 위한 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "평면 개체 처리를 위한 지원 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "삼각형 메쉬 처리를 위한 지원 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "3MF 파일 처리를 위한 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "파일 메타데이터 및 스트리밍을 위한 지원 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "직렬 통신 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConf discovery 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "다각형 클리핑 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Python용 정적 유형 검사기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "SSL 신뢰성 검증용 루트 인증서" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Python 오류 추적 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "폴리곤 패킹 라이브러리, Prusa Research 개발" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "libnest2d용 Python 바인딩" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "시스템 키링 액세스를 위한 서포트 라이브러리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Microsoft Windows용 Python 확장" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "폰트" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG 아이콘" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Linux 교차 배포 응용 프로그램 배포" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "파일 열기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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는 인쇄 품질과 사용자 경험을 개선하기 위해 익명 데이터를 수집합니다. 공유되는 모든 데이터의 예는 다음과 같습니다:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "모두 모델로 가져 오기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "프로젝트 저장" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "%1익스트루더" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & 재료" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "재료" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "프로젝트 요약을 다시 저장하지 마십시오" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "저장" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "프로젝트 파일 열기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "익명 데이터 전송을 원하지 않습니다" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "선택 기억하기" +msgid "Allow sending anonymous data" +msgstr "익명 데이터 전송 허용" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "프로젝트로 열기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "모델 가져 오기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "제목 없음" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Ultimaker Cura에 오신 것을 환영합니다" - -#: /mnt/projects/ultimaker/cura/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를 설정하려면 다음 단계로 이동하세요. 오래 걸리지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "시작하기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "비어 있음" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ultimaker Cura를 개선하는 데 도움을 주십시오" - -#: /mnt/projects/ultimaker/cura/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는 인쇄 품질과 사용자 경험을 개선하기 위해 다음과 같은 익명 데이터를 수집합니다:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "기기 유형" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "재료 사용" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "슬라이드 수" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "인쇄 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura가 수집하는 데이터에는 개인 정보가 포함되어 있지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "추가 정보" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "IP 주소로 프린터 추가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "프린터의 IP 주소를 입력하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "추가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "장치에 연결할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Ultimaker 프린터로 연결할 수 없습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "이 주소의 프린터가 아직 응답하지 않았습니다." - -#: /mnt/projects/ultimaker/cura/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 "알 수 없는 프린터이거나 그룹의 호스트가 아니기 때문에 이 프린터를 추가할 수 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "뒤로" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 "패키지의 변경 사항이 적용되기 전에 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:457 +#: /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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "설치된 재료" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "설치된 재료가 없습니다." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "번들 플러그인" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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 "네트워크를 통해 프린터로 직접 프린팅하려면 네트워크 케이블을 사용하거나 프린터를 WIFI 네트워크에 연결하여 프린터가 네트워크에 연결되어 있는지 확인하십시오. Cura를 프린터에 연결하지 않은 경우에도 USB 드라이브를 사용하여 g-코드 파일을 프린터로 전송할 수 있습니다." + +#: /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 "연결" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "프린터 추가" +msgid "Enter the IP address of your printer on the network." +msgstr "네트워크에 있는 프린터의 IP 주소를 입력하십시오." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "네트워크 프린터 추가" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "할당된 프린터 %1의 구성을 다음과 같이 변경해야 합니다:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "비 네트워크 프린터 추가" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "프린터 %1이(가) 할당되었으나 작업에 알 수 없는 재료 구성이 포함되어 있습니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "새로운 기능" +msgid "Change material %1 from %2 to %3." +msgstr "재료 %1을(를) %2에서 %3(으)로 변경합니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "클라우드 프린터 추가" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "%3을(를) 재료 %1(으)로 로드합니다(이 작업은 무효화할 수 없음)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "클라우드 응답 대기" +msgid "Change print core %1 from %2 to %3." +msgstr "PrintCore %1을(를) %2에서 %3(으)로 변경합니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "사용자의 계정에 프린터가 없습니까?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "빌드 플레이트를 %1(으)로 변경합니다(이 작업은 무효화할 수 없음)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "사용자의 계정에 있는 다음 프린터를 Cura에 추가하였습니다." +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "무시하기는 기존 프린터 구성과 함께 지정된 설정을 사용하게 됩니다. 이는 인쇄 실패로 이어질 수 있습니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -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 "유리" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "네트워크를 통해 프린팅" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "프린트" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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 플랫폼에 로그인" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "재료 설정 및 Marketplace 플러그인 추가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "재료 설정과 플러그인 백업 및 동기화" - -#: /mnt/projects/ultimaker/cura/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명 이상의 사용자와 아이디어를 공유하고 도움 받기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Ultimaker 계정 무료 생성" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "건너뛰기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "사용자 계약" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "거절 및 닫기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "릴리즈 노트" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "네트워크에서 검색된 프린터가 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "새로고침" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "IP로 프린터 추가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "클라우드 프린터 추가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "문제 해결" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "제조업체" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "프로파일 원작자" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "프린터 이름" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "프린터의 이름을 설정하십시오" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "마지막 업데이트: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker 계정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "로그아웃" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3950,935 +3207,1916 @@ msgstr "" "- 재료 설정과 플러그인 백업 및 동기화\n" "- Ultimaker 커뮤니티에서 48,000명 이상의 사용자와 아이디어를 공유하고 도움 받기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 msgctxt "@button" msgid "Create a free Ultimaker account" msgstr "Ultimaker 계정 무료 생성" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "로그인" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "확인 중..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "계정 동기화됨" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "오류가 발생하였습니다..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "보류된 업데이트 설치" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "계정 업데이트 확인" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "개체 목록" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "마지막 업데이트: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker 계정" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "슬라이싱..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "슬라이스 할 수 없습니다" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "처리" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "슬라이스" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "슬라이싱 프로세스 시작" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +msgctxt "@button" +msgid "Cancel" +msgstr "취소" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 msgctxt "@action:inmenu" msgid "Show Online Troubleshooting Guide" msgstr "온라인 문제 해결 가이드 표시" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "전채 화면 전환" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "전체 화면 종료" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "되돌리기(&U)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "다시하기(&R)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "종료(&Q)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "3D 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "앞에서 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "위에서 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "왼쪽에서 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "오른쪽에서 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Cura 구성 ..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "프린터 추가..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "프린터 관리 ..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "재료 관리..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "마켓플레이스에서 더 많은 재료 추가" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "현재 설정으로로 프로파일 업데이트" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "현재 변경 사항 무시" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "현재 설정으로 프로파일 생성..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "프로파일 관리..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "온라인 문서 표시" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "버그 리포트" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "새로운 기능" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "소개..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "선택 항목 삭제" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "선택 항목 가운데 정렬" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "선택 항목 복제" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "모델 삭제" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "플랫폼중심에 모델 위치하기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "모델 그룹화" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "모델 그룹 해제" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "모델 합치기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "모델 복제..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "모든 모델 선택" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "빌드 플레이트 지우기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "모든 모델 다시 로드" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "모든 모델을 모든 빌드 플레이트에 정렬" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "모든 모델 정렬" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "선택한 모델 정렬" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "모든 모델의 위치 재설정" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "모든 모델의 변환 재설정" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "파일 열기..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "새로운 프로젝트..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "설정 폴더 표시" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "설정 보기..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&시장" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "계산된" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "현재 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "단위" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "정보" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "직경 변경 확인" - -#: /mnt/projects/ultimaker/cura/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로 설정되었으며, 현재 압출기와 호환되지 않습니다. 계속하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "표시 이름" +msgid "This package will be installed after restarting." +msgstr "다시 시작한 후에 이 패키지가 설치됩니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "재료 유형" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "색깔" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "속성" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "밀도" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "직경" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "필라멘트 비용" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "필라멘트 무게" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "필라멘트 길이" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "미터 당 비용" - -#: /mnt/projects/ultimaker/cura/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에 연결되어 있으며 일부 속성을 공유합니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "재료 연결 해제" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "설명" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "접착 정보" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "활성화" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "생성" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "복제" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "가져오기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "내보내기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "프린터" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "제거 확인" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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을 제거 하시겠습니까? 이것은 취소 할 수 없습니다!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "재료 가져 오기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "재료를 가져올 수 없습니다" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "재료를 성공적으로 가져왔습니다" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "재료 내보내기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "재료를 내보내는데 실패했습니다" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "재료를 성공적으로 내보냈습니다" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "프린터" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "이름 바꾸기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "프로파일" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "생성" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "복제" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "프로파일 생성하기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "이 프로파일에 대한 이름을 제공하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "프로파일 복제하기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "프로파일 이름 바꾸기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "프로파일 가져 오기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "프로파일 내보내기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "프린터: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "현재 설정 / 재정의 프로파일 업데이트" - -#: /mnt/projects/ultimaker/cura/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 "이 프로파일은 프린터에서 지정한 기본값을 사용하므로 아래 목록에 아무런 설정/재정의가 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "현재 설정이 선택한 프로파일과 일치합니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "전역 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "보기 설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "모두 확인" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "일반" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "설정" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "프린터" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "프로파일" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 닫기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "패키지 설치" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "파일 열기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "프린터 추가" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "새로운 기능" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "인터페이스" +msgid "version: %1" +msgstr "버전: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "통화:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "3D 프린팅을 위한 엔드 투 엔트 솔루션." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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는 커뮤니티와 공동으로 Ultimaker B.V.에 의해 개발되었습니다.\n" +"Cura는 다음의 오픈 소스 프로젝트를 사용합니다:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" -msgid "Theme:" -msgstr "테마:" +msgid "Graphical user interface" +msgstr "그래픽 사용자 인터페이스" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "이러한 변경 사항을 적용하려면 응용 프로그램을 다시 시작해야합니다." +msgid "Application framework" +msgstr "애플리케이션 프레임 워크" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "설정이 변경되면 자동으로 슬라이싱 합니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "자동으로 슬라이싱" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "뷰포트 동작" +msgid "G-code generator" +msgstr "GCode 생성기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "프로세스간 통신 라이브러리" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "오버행 표시" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "프로그래밍 언어" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUI 프레임 워크" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "모델 오류 표시" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUI 프레임 워크 바인딩" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "C/C ++ 바인딩 라이브러리" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for scientific computing" +msgstr "과학 컴퓨팅을 위한 라이브러리" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling STL files" +msgstr "STL 파일 처리를 위한 라이브러리" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling triangular meshes" +msgstr "삼각형 메쉬 처리를 위한 지원 라이브러리" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for file metadata and streaming" +msgstr "파일 메타데이터 및 스트리밍을 위한 지원 라이브러리" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "ZeroConf discovery 라이브러리" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "SSL 신뢰성 검증용 루트 인증서" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "폴리곤 패킹 라이브러리, Prusa Research 개발" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "시스템 키링 액세스를 위한 서포트 라이브러리" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "폰트" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Linux cross-distribution application deployment" +msgstr "Linux 교차 배포 응용 프로그램 배포" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +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 "이 파일은 Cura 프로젝트 파일입니다. 프로젝트로 열거나 모델을 가져 오시겠습니까?" + +#: /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 "Center camera when item is selected" -msgstr "항목을 선택하면 카메라를 중앙에 위치" +msgid "Open as project" +msgstr "프로젝트로 열기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "큐라의 기본 확대 동작을 반전시켜야 합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "카메라 줌의 방향을 반전시키기." +msgid "Import models" +msgstr "모델 가져 오기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "확대가 마우스 방향으로 이동해야 합니까?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "변경 사항 삭제 또는 유지" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "정투영법 시점에서는 마우스 방향으로 확대가 지원되지 않습니다." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"일부 프로파일 설정을 사용자 정의했습니다.\n" +"프로파일 전환 후에도 변경된 설정을 유지하시겠습니까?\n" +"또는 변경 사항을 버리고 '%1'에서 기본값을 로드할 수 있습니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "마우스 방향으로 확대" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "프로파일 설정" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "현재 변경 사항" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "모델이 분리되어 있는지 확인" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "모델을 빌드 플레이트에 닿도록 아래로 움직여야합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "모델을 빌드 플레이트에 자동으로 놓기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "g-code 리더에 주의 메시지를 표시하기." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "g-code 리더의 주의 메시지" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "레이어가 호환 모드로 강제 설정되어야합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "레이어 뷰 호환성 모드로 전환 (다시 시작해야 함)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "닫힌 위치에서 Cura를 열어야 합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "시작 시 창 위치 복원" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "어떤 유형의 카메라 렌더링을 사용해야 합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "카메라 렌더링:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "원근" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "정투영" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "파일 열기 및 저장" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "데스크톱 또는 외부 애플리케이션의 파일을 동일한 Cura 인스턴스에서 엽니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Cura의 단일 인스턴스 사용" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "크기가 너무 큰 경우 모델을 빌드 볼륨에 맞게 조정해야합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "큰 모델의 사이즈 수정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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 "단위가 밀리미터가 아닌 미터 단위 인 경우 모델이 매우 작게 나타날 수 있습니다. 이 모델을 확대할까요?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "매우 작은 모델의 크기 조정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "모델을 로드한 후에 선택해야 합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "로드된 경우 모델 선택" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "프린터 이름에 기반한 접두어가 프린팅 작업 이름에 자동으로 추가되어야합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "작업 이름에 기기 접두어 추가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "프로젝트 파일을 저장할 때 요약이 표시되어야합니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "프로젝트 저장시 요약 대화 상자 표시" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "프로젝트 파일을 열 때 기본 동작" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "프로젝트 파일을 열 때 기본 동작 " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "항상 묻기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "항상 프로젝트로 열기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "항상 모델 가져 오기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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 "프로파일을 변경하고 다른 프로파일로 전환하면 수정 사항을 유지할지 여부를 묻는 대화 상자가 표시됩니다. 기본 행동을 선택하면 해당 대화 상자를 다시 표시 하지 않을 수 있습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "다른 프로파일로 변경하는 경우 변경된 설정값에 대한 기본 동작 " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "항상 변경된 설정 삭제" +msgid "Discard and never ask again" +msgstr "최소하고 다시 묻지않기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "항상 변경된 설정을 새 프로파일로 전송" +msgid "Keep and never ask again" +msgstr "계속하고 다시 묻지않기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "보안" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Cura가 프로그램이 시작될 때 업데이트를 확인할까요?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "시작시 업데이트 확인" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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 주소 또는 기타 개인 식별 정보는 전송되거나 저장되지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(익명) 프린터 정보 보내기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "추가 정보" +msgid "Discard changes" +msgstr "변경 사항 삭제" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "변경 사항 유지" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "모두 모델로 가져 오기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "프로젝트 저장" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "%1익스트루더" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & 재료" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "재료" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "프로젝트 요약을 다시 저장하지 마십시오" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +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] "선택한 모델을 %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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "확장 프로그램(&X)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "환경설정(&R)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "도움말(&H)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "새 프로젝트" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "유형 보기" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "%1이(가) 인식되지 않기 때문에 이 구성을 사용할 수 없습니다. %2에 방문하여 올바른 재료 프로파일을 다운로드하십시오." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "프린터에서 사용 가능한 구성 로딩 중..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "구성 선택" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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 "프린터에 연결되지 않음" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 msgctxt "@label:MonitorStatus" msgid "Printer does not accept commands" msgstr "프린터가 명령을 받아들이지 않습니다" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 msgctxt "@label:MonitorStatus" msgid "In maintenance. Please check the printer" msgstr "유지 보수 중. 프린터를 확인하십시오" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 msgctxt "@label:MonitorStatus" msgid "Lost connection with the printer" msgstr "프린터와의 연결이 끊어졌습니다" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "프린팅..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "일시 중지됨" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "준비 중..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "프린트물을 제거하십시오" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "프린팅 중단" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 msgctxt "@label" msgid "Are you sure you want to abort the print?" msgstr "프린팅를 중단 하시겠습니까?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "지원으로 프린팅됩니다." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "이 모델과 중복되는 다른 모델은 수정됩니다." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "이 모델과 중복되는 내부채움은 수정됩니다." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "이 모델과의 중복은 지원되지 않습니다." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "인터페이스" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "통화:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "테마:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "설정이 변경되면 자동으로 슬라이싱 합니다." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "자동으로 슬라이싱" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "뷰포트 동작" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "오버행 표시" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "모델 오류 표시" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "항목을 선택하면 카메라를 중앙에 위치" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:365 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "큐라의 기본 확대 동작을 반전시켜야 합니까?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:370 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "카메라 줌의 방향을 반전시키기." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "확대가 마우스 방향으로 이동해야 합니까?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "마우스 방향으로 확대" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "모델이 분리되어 있는지 확인" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 +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:436 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "모델을 빌드 플레이트에 자동으로 놓기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:448 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "g-code 리더에 주의 메시지를 표시하기." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "g-code 리더의 주의 메시지" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "레이어가 호환 모드로 강제 설정되어야합니까?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:470 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "레이어 뷰 호환성 모드로 전환 (다시 시작해야 함)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:480 +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:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "시작 시 창 위치 복원" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "어떤 유형의 카메라 렌더링을 사용해야 합니까?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "카메라 렌더링:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "원근" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "정투영" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "파일 열기 및 저장" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Cura의 단일 인스턴스 사용" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "큰 모델의 사이즈 수정" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "매우 작은 모델의 크기 조정" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "모델을 로드한 후에 선택해야 합니까?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "로드된 경우 모델 선택" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "작업 이름에 기기 접두어 추가" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:630 +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:634 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "프로젝트 저장시 요약 대화 상자 표시" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:644 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "프로젝트 파일을 열 때 기본 동작" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "프로젝트 파일을 열 때 기본 동작 " + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "항상 묻기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "항상 프로젝트로 열기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "항상 모델 가져 오기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "항상 변경된 설정 삭제" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "항상 변경된 설정을 새 프로파일로 전송" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 +msgctxt "@label" +msgid "Privacy" +msgstr "보안" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "시작시 업데이트 확인" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(익명) 프린터 정보 보내기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "프린터" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "재료 가져 오기" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +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:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "재료 내보내기" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "Search settings" -msgstr "검색 설정" +msgid "Check all" +msgstr "모두 확인" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "모든 익스트루더에 값 복사" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "익스트루더" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -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이면 온열 가열이 꺼집니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "이 설정 숨기기" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "이 익스트루더의 현재 온도." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -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 "노즐을 예열하기 위한 온도." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -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 "취소" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "프린터 추가" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "활성화된 프린트" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +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 +msgctxt "@label" +msgid "Profile" +msgstr "프로파일" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"일부 설정/대체 값은 프로파일에 저장된 값과 다릅니다.\n" +"\n" +"프로파일 매니저를 열려면 클릭하십시오." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "점진적 내부채움" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "서포트" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4889,32 +5127,32 @@ msgstr "" "\n" "이 설정을 표시하려면 클릭하십시오." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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 "영향을 미치는 모든 설정이 무효화되기 때문에 이 설정을 사용하지 않습니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "영향" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "영향을 받다" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "이 설정은 항상 모든 익스트루더 사이에 공유됩니다. 여기서 변경하면 모든 익스트루더에 대한 값이 변경됩니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "이 설정은 충돌하는 압출기별 값으로 결정됩니다:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4925,7 +5163,7 @@ msgstr "" "\n" "프로파일 값을 복원하려면 클릭하십시오." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4936,712 +5174,306 @@ msgstr "" "\n" "계산 된 값을 복원하려면 클릭하십시오." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "검색 설정" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +msgctxt "@action:menu" +msgid "Copy value to all extruders" +msgstr "모든 익스트루더에 값 복사" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:477 +msgctxt "@action:menu" +msgid "Copy all changed values to all extruders" +msgstr "변경된 사항을 모든 익스트루더에 복사" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "이 설정 숨기기" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "이 설정을 표시하지 않음" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "앞에서 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "위에서 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "왼쪽 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "오른쪽 보기" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "익스트루더" +msgid "View type" +msgstr "유형 보기" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "클라우드 프린터 추가" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "이 익스트루더의 현재 온도." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "클라우드 응답 대기" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "사용자의 계정에 프린터가 없습니까?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -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에 추가하였습니다." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "예열" +msgid "Add printer manually" +msgstr "수동으로 프린터 추가" -#: /mnt/projects/ultimaker/cura/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 "프린팅하기 전에 노즐을 미리 가열하십시오. 가열되는 동안 계속해서 프린팅물을 조정할 수 있으며, 프린팅 준비가 되면 노즐이 가열 될 때까지 기다릴 필요가 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "이 익스트루더의 재료 색." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "이 익스트루더의 재료." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "이 익스트루더에 삽입 된 노즐." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "빌드 플레이트" +msgid "Manufacturer" +msgstr "제조업체" -#: /mnt/projects/ultimaker/cura/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이면 베드 가열이 꺼집니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "가열 된 베드의 현재 온도." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "베드를 예열하기 위한 온도." - -#: /mnt/projects/ultimaker/cura/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 "프린팅하기 전에 베드를 미리 가열하십시오. 가열되는 동안 계속해서 프린팅물을 조정할 수 있으며, 프린팅 준비가 되면 베드가 가열 될 때까지 기다릴 필요가 없습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "프린터 제어" +msgid "Profile author" +msgstr "프로파일 원작자" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "조그 위치" +msgid "Printer name" +msgstr "프린터 이름" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" +msgstr "프린터의 이름을 설정하십시오" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "조그 거리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Gcode 보내기" - -#: /mnt/projects/ultimaker/cura/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’키를 눌러 명령을 전송하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "프린터가 연결되어 있지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 -msgctxt "@label" -msgid "Is printed as support." -msgstr "지원으로 프린팅됩니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "이 모델과 중복되는 다른 모델은 수정됩니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "이 모델과 중복되는 내부채움은 수정됩니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "이 모델과의 중복은 지원되지 않습니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "%1 설정을 덮어씁니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "시장" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "편집(&E)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "확장 프로그램(&X)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "환경설정(&R)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "도움말(&H)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "새 프로젝트" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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 "새 프로젝트를 시작 하시겠습니까? 빌드 플레이트 및 저장하지 않은 설정이 지워집니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 -msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "다시 시작한 후에 이 패키지가 설치됩니다." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "설정" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 닫기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "%1을(를) 정말로 종료하시겠습니까?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "패키지 설치" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "파일 열기" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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-코드 파일을 열려면 하나만 선택하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" +msgid "Add a printer" msgstr "프린터 추가" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:240 +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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Ultimaker 계정 무료 생성" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "건너뛰기" + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "새로운 기능" -#: /mnt/projects/ultimaker/cura/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 "클라우드 프린터가 오프라인 상태입니다. 프린터가 켜져 있고 인터넷과 연결되어 있는지 확인하십시오." - -#: /mnt/projects/ultimaker/cura/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에 방문하여 연결을 설정하십시오." - -#: /mnt/projects/ultimaker/cura/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 "현재 클라우드 연결을 사용할 수 없습니다. 클라우드 프린터에 연결하려면 로그인하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "현재 클라우드 연결을 사용할 수 없습니다. 사용자의 인터넷 연결을 확인하십시오." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "프린터 추가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "프린터 관리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "연결된 프린터" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "프린터 사전 설정" - -#: /mnt/projects/ultimaker/cura/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로 프린팅하십시오" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "시간 추산" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "재료 추산" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "슬라이싱..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "슬라이스 할 수 없습니다" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "처리" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "슬라이스" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "슬라이싱 프로세스 시작" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "취소" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "시간 추산 이용 불가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "비용 추산 이용 불가" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "미리 보기" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "이동식 드라이브를 제공합니다." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "이동식 드라이브 출력 장치 플러그인" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Cura 4.2에서 Cura 4.3으로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "4.2에서 4.3로 버전 업그레이드" - -#: 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/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/VersionUpgrade26to27/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Cura 2.6에서 Cura 2.7로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "2.6에서 2.7으로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Cura 2.5에서 Cura 2.6으로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "2.5에서 2.6으로 버전 업그레이드" - -#: 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/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Cura 2.1에서 Cura 2.2로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "2.1에서 2.2로 버전 업그레이드" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Cura 4.3에서 Cura 4.4로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "4.3에서 4.4로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Cura 3.4에서 Cura 3.5로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "3.4에서 3.5로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Cura 2.7에서 Cura 3.0으로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "2.7에서 3.0으로 버전 업그레이드" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "AMF 파일 읽기가 지원됩니다." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF 리더" - -#: 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 프로파일 리더기" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "펌웨어 업데이트를 위한 기계 동작을 제공합니다." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "펌웨어 업데이터" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "X3D 파일을 읽을 수 있도록 지원합니다." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3D 리더" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "새 Cura 패키지를 찾고, 관리하고 설치하십시오." - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -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 "후처리" - -#: 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 백엔드" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "G-코드를 수신하고 프린터로 보냅니다. 플러그인은 또한 펌웨어를 업데이트 할 수 있습니다." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB 프린팅" - -#: 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 프로파일 작성자" - -#: 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 네트워크 연결" - -#: 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 기기 동작" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "3MF 파일 읽기 지원." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF 리더" - -#: 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 코드 작성기" - -#: 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 코드 리더기" +msgid "No items to select from" +msgstr "선택할 항목 없음" #: ModelChecker/plugin.json msgctxt "description" @@ -5653,105 +5485,15 @@ msgctxt "name" msgid "Model Checker" msgstr "모델 검사기" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "펌웨어 업데이트를 확인합니다." +msgid "Provides support for reading 3MF files." +msgstr "3MF 파일 읽기 지원." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "펌웨어 업데이트 검사기" - -#: 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-코드 리더" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "특정 장소에서 서포트 프린팅을 막는 지우개 메쉬(eraser mesh)를 만듭니다" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Support Eraser" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "모델 파일 읽기 기능을 제공합니다." - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh 리더" - -#: 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 "보초 로거" - -#: 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 리더기" - -#: 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 프로파일 리더" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Cura에서 준비 단계 제공." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "준비 단계" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Cura에서 모니터 단계 제공." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "모니터 단계" - -#: XRayView/plugin.json -msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "엑스레이 뷰를 제공합니다." - -#: XRayView/plugin.json -msgctxt "name" -msgid "X-Ray View" -msgstr "엑스레이 뷰" +msgid "3MF Reader" +msgstr "3MF 리더" #: 3MFWriter/plugin.json msgctxt "description" @@ -5763,65 +5505,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF 기록기" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "익명의 슬라이스 정보를 제출하십시오. 환경 설정을 통해 비활성화 할 수 있습니다." +msgid "Provides support for reading AMF files." +msgstr "AMF 파일 읽기가 지원됩니다." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "슬라이스 정보" +msgid "AMF Reader" +msgstr "AMF 리더" -#: 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 백업" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "시뮬레이션 뷰를 제공합니다." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "CuraEngine 슬라이스 백엔드 링크를 제공합니다." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "시뮬레이션 뷰" - -#: 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 "컴퓨터 설정 작업" - -#: 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 "재료 프로파일" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "일반 솔리드 메쉬보기를 제공합니다." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "솔리드 뷰" +msgid "CuraEngine Backend" +msgstr "CuraEngine 백엔드" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5833,15 +5545,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Cura 프로파일 리더" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Ultimaker 포맷 패키지 작성을 지원합니다." +msgid "Provides support for exporting Cura profiles." +msgstr "Cura 프로파일 내보내기 지원을 제공합니다." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UFP 작성자" +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 "" + +#: DigitalLibrary/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 "압축 된 아카이브로 부터 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" @@ -5863,15 +5645,445 @@ msgctxt "name" msgid "Image Reader" msgstr "이미지 리더" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "구성을 백업하고 복원합니다." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "레거시 Cura 버전에서 프로파일 가져 오기를 지원합니다." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura 백업" +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." +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 "Cura에서 준비 단계 제공." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "준비 단계" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Cura에서 미리 보기 단계를 제공합니다." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "미리 보기 단계" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "이동식 드라이브를 제공합니다." + +#: RemovableDriveOutputDevice/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 "솔리드 뷰" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "특정 장소에서 서포트 프린팅을 막는 지우개 메쉬(eraser mesh)를 만듭니다" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Support Eraser" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "새 Cura 패키지를 찾고, 관리하고 설치하십시오." + +#: 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 "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 리더기" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Ultimaker 포맷 패키지 작성을 지원합니다." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UFP 작성자" + +#: 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 기기 동작" + +#: 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 네트워크 연결" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "G-코드를 수신하고 프린터로 보냅니다. 플러그인은 또한 펌웨어를 업데이트 할 수 있습니다." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB 프린팅" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Cura 2.1에서 Cura 2.2로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "2.1에서 2.2로 버전 업그레이드" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Cura 2.5에서 Cura 2.6으로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "2.5에서 2.6으로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Cura 2.6에서 Cura 2.7로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "2.6에서 2.7으로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade27to30/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Cura 2.7에서 Cura 3.0으로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Cura 3.4에서 Cura 3.5로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "3.4에서 3.5로 버전 업그레이드" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Cura 4.2에서 Cura 4.3으로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "4.2에서 4.3로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Cura 4.3에서 Cura 4.4로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "X3D 파일을 읽을 수 있도록 지원합니다." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D 리더" + +#: 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 "재료 프로파일" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "엑스레이 뷰를 제공합니다." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "엑스레이 뷰" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/ko_KR/fdmextruder.def.json.po b/resources/i18n/ko_KR/fdmextruder.def.json.po index e23672b351..2aecfbb7e3 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 5eca5b248c..827dafb416 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:02+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Korean , Jinbum Kim , Korean \n" @@ -3201,8 +3201,8 @@ msgstr "수축이 없을 때 최대 빗질 거리" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "0이 아닌 경우 이 거리보다 긴 빗질 이동은 후퇴를 사용합니다." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6400,6 +6400,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "파일로부터 로드 하는 경유, 모델에 적용될 변환 행렬입니다." +#~ msgctxt "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "0이 아닌 경우 이 거리보다 긴 빗질 이동은 후퇴를 사용합니다." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "익스트루더 오프셋을 좌표계에 적용하십시오." diff --git a/resources/i18n/nl_NL/cura.po b/resources/i18n/nl_NL/cura.po index 6b755db739..3fd6f74acb 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 14:51+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Dutch , Dutch \n" @@ -17,169 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Machines laden..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Voorkeuren instellen..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Actieve machine initialiseren ..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Beschikbare netwerkprinters" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Machinebeheer initialiseren ..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Niet overschreven" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Werkvolume initialiseren ..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Scene instellen..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Interface laden..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Engine initialiseren ..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Waarschuwing" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Fout" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Weet u zeker dat u {0} wilt verwijderen? Deze bewerking kan niet ongedaan worden gemaakt!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Aangepast materiaal" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Aangepast" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Onbekend" +msgid "Visual" +msgstr "Visueel" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Aangepast materiaal" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Aangepast" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Aangepaste profielen" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Alle Ondersteunde Typen ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Alle Bestanden (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Visueel" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Inloggen mislukt" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Nieuwe locatie vinden voor objecten" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "Locatie vinden" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Ontwerp" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Kan locatie niet vinden" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Kan geen archief maken van gegevensmap van gebruiker: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Back-up" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Beschikbare netwerkprinters" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Niet overschreven" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Werkvolume" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura kan niet worden gestart" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -194,32 +205,32 @@ msgstr "" "

    Stuur ons dit crashrapport om het probleem op te lossen.

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Het crashrapport naar Ultimaker verzenden" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Gedetailleerd crashrapport weergeven" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Open Configuratiemap" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Back-up maken en herstellen van configuratie" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Crashrapport" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -230,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Systeeminformatie" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Onbekend" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura-versie" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Taal van Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Taal van besturingssysteem" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platform" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt version" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt version" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Nog niet geïnitialiseerd
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL-versie: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL-leverancier: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL-renderer: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Traceback van fout" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Logboeken" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Rapport verzenden" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Inloggen mislukt" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Machines laden..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Voorkeuren instellen..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Actieve machine initialiseren ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Machinebeheer initialiseren ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Werkvolume initialiseren ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Scene instellen..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Interface laden..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Engine initialiseren ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Waarschuwing" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Fout" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Objecten verveelvoudigen en plaatsen" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Objecten plaatsen" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Kan de Ultimaker-accountserver niet bereiken." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Het Bestand Bestaat Al" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Ongeldige bestands-URL:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Nozzle" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "De instellingen zijn bijgewerkt" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder(s) uitgeschakeld" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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}: Invoegtoepassing voor de schrijver heeft een fout gerapporteerd." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "De export is voltooid" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Het profiel {0} is geïmporteerd." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Het bestand {0} bevat geen geldig profiel." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Aangepast profiel" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Er ontbreekt een kwaliteitstype in het profiel." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Er is nog geen actieve printer." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Kan het profiel niet toevoegen." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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}'." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "Niet ondersteund" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Nieuwe locatie vinden voor objecten" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Nozzle" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Locatie vinden" +msgid "Settings updated" +msgstr "De instellingen zijn bijgewerkt" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Kan locatie niet vinden" +msgid "Extruder(s) Disabled" +msgstr "Extruder(s) uitgeschakeld" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Annuleren" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Groepsnummer #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Overslaan" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Sluiten" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Volgende" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Voltooien" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Buitenwand" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Binnenwanden" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Skin" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Vulling" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Supportvulling" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Verbindingsstructuur" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Supportstructuur" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Skirt" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Primepijler" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Beweging" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Intrekkingen" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Overig(e)" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Toevoegen" +msgid "Next" +msgstr "Volgende" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Annuleren" +msgid "Skip" +msgstr "Overslaan" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Werkvolume" +msgid "3D Model Assistant" +msgstr "3D-modelassistent" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Kan geen archief maken van gegevensmap van gebruiker: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Back-up" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Objecten verveelvoudigen en plaatsen" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Objecten plaatsen" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Object plaatsen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Opslaan op verwisselbaar station" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Opslaan op Verwisselbaar Station {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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!" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Opslaan op Verwisselbaar Station {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Opslaan" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Kan niet opslaan op verwisselbaar station {0}: {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Opgeslagen op Verwisselbaar Station {0} als {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Bestand opgeslagen" +msgid "Open Project File" +msgstr "Projectbestand Openen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Uitwerpen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Verwisselbaar station {0} uitwerpen" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Hardware veilig verwijderen" +msgid "Can't Open Project File" +msgstr "Kan projectbestand niet openen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "Projectbestand {0} is corrupt: {1}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Verwisselbaar Station" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF-bestand" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura-project 3MF-bestand" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "AMF-bestand" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code-bestand" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Firmware bijwerken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D-bestand" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Nee, ik ga niet akkoord" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Akkoord" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Licentieovereenkomst invoegtoepassing" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Weigeren en verwijderen uit account" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{} plug-ins zijn niet gedownload" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchroniseren ..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Wijzigingen gedetecteerd van uw Ultimaker-account" +msgid "Backups" +msgstr "Back-ups" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +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." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Uw back-up maken..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchroniseren" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Instellingen per Model" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Uw back-up wordt geüpload..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Uw back-up is geüpload." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Nabewerking" +msgid "Manage backups" +msgstr "Back-ups beheren" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-code wijzigen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Kan niet slicen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -894,75 +923,465 @@ msgstr "" "- zijn toegewezen aan een ingeschakelde extruder\n" "- niet allemaal zijn ingesteld als modificatierasters" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Informatie" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB-printen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Printen via USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Via USB Printen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Aangesloten via USB" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Bezig met printen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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-profiel" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Verbinding Maken via Netwerk" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Geen toegang tot update-informatie." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "Er zijn mogelijk nieuwe functies of bugfixes beschikbaar voor uw {machine_name}. Als u nog niet over de nieuwste versie beschikt, 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 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s firmware available" +msgstr "Nieuwe firmware voor %s beschikbaar" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Opslaan" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Bestand opgeslagen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Uitwerpen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Verwisselbaar station {0} uitwerpen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Hardware veilig verwijderen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Simulatieweergave" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Geen lagen om weer te geven" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Meer informatie" + +#: /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:93 +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:89 +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 invoegtoepassing" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 +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:20 +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 +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/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-binair" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF-ingesloten JSON" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford-driehoeksformaat" + +#: /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/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/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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Platform kalibreren" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Upgrades selecteren" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Printen via Cloud" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -970,70 +1389,71 @@ msgid_plural "... and {0} others" msgstr[0] "... en {0} andere" msgstr[1] "... en {0} andere" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Printers toegevoegd vanuit Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Printerconfiguraties behouden" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Printers verwijderen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Printers verwijderen?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1049,7 +1469,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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1058,1529 +1478,761 @@ 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Printen via Cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Printen via Cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Verbonden via Cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "Onbekende foutcode bij uploaden printtaak: {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "morgen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "vandaag" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Printtaak verzenden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Printtaak naar printer aan het uploaden." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Geen groephost" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Groep configureren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Verzend en controleer overal printtaken met uw Ultimaker-account." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Verbinden met Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Aan de slag" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Wacht tot de huidige taak is verzonden." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Printfout" +msgid "Update your printer" +msgstr "Uw printer bijwerken" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Netwerkfout" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Wachtrij vol" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Gegevens verzonden" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Uw printer bijwerken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Printen via netwerk" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Upgrades selecteren" +msgid "Connect via Network" +msgstr "Verbinding Maken via Netwerk" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Platform kalibreren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Aanbevolen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Aangepast" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Projectbestand Openen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Kan projectbestand niet openen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF-bestand" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Gecomprimeerd G-code-bestand" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter ondersteunt geen tekstmodus." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "3D-modelassistent" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "morgen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Geen toegang tot update-informatie." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "Er zijn mogelijk nieuwe functies of bugfixes beschikbaar voor uw {machine_name}. Als u nog niet over de nieuwste versie beschikt, is het raadzaam om de firmware op uw printer bij te werken naar versie {latest_version}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Nieuwe firmware voor %s beschikbaar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Instructies voor bijwerken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G-bestand" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-code parseren" +msgid "today" +msgstr "vandaag" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB-printen" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Printen via USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Supportblokkering" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Maak een volume waarin supportstructuren niet worden geprint." +msgid "Print via USB" +msgstr "Via USB Printen" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Aangesloten via USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Bezig met printen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "X3D-bestand" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF-binair" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF-ingesloten JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford-driehoeksformaat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Gecomprimeerde COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Format Package" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04-profielen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Voorbereiden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Controleren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Röntgenweergave" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Fout bij het schrijven van het 3mf-bestand." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF-bestand" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura-project 3MF-bestand" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF-schrijverplug-in is beschadigd." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Voorbeeld" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Laagweergave" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Simulatieweergave" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Er wordt niets weergegeven omdat u eerst moet slicen." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Geen lagen om weer te geven" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Dit bericht niet meer weergeven" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Machine-instellingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Solide weergave" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Modelfouten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Meer informatie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Kan niet naar UFP-bestand schrijven:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter ondersteunt geen non-tekstmodus." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG-afbeelding" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG-afbeelding" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG-afbeelding" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP-afbeelding" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF-afbeelding" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Back-ups" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Uw back-up maken..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Uw back-up wordt geüpload..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Uw back-up is geüpload." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "De back-up is groter dan de maximale bestandsgrootte." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Back-ups beheren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Firmware bijwerken" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Firmware-upgrade Automatisch Uitvoeren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Aangepaste Firmware Uploaden" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Aangepaste firmware selecteren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Firmware-update" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "De firmware wordt bijgewerkt." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "De firmware-update is voltooid." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Firmware-update mislukt door een communicatiefout." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Firmware-update mislukt door ontbrekende firmware." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Marktplaats" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Wijzigingen van uw account" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Verwijderen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Volgende" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "De volgende packages worden toegevoegd:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "De-installeren bevestigen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materialen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profielen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Bevestigen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Community-bijdragen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Community-invoegtoepassingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Standaard materialen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Laatst bijgewerkt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Merk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Downloads" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Geïnstalleerde plug-ins" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Geïnstalleerde materialen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Er zijn materialen geïnstalleerd." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Gebundelde plug-ins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Gebundelde materialen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Website" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Aanmelden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Packages ophalen..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibiliteit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Machine" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Platform" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Supportstructuur" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Kwaliteit" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technisch informatieblad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Veiligheidsinformatieblad" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Richtlijnen voor printen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Website" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Invoegtoepassingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materialen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Geïnstalleerd" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ga naar Marketplace op internet" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Wordt geïnstalleerd na opnieuw starten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Bijwerken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Bijwerken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Bijgewerkt" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgraden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "De-installeren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Geïnstalleerd" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Materialen zoeken" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Sluit %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Terug" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installeren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Rastertype" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normaal model" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Printen als supportstructuur" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Instellingen aanpassen voor overlapping" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Supportstructuur niet laten overlappen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Alleen vulraster" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Snijdend raster" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Instellingen selecteren" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filteren..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Alles weergeven" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Invoegtoepassing voor Nabewerking" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts voor Nabewerking" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Een script toevoegen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Instellingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Actieve scripts voor nabewerking wijzigen." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "In wachtrij" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Beheren in browser" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Printtaken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Totale printtijd" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Wachten op" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Configuratiewijzigingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Overschrijven" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Glas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Niet‑beschikbare printer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Eerst beschikbaar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Verbinding Maken met Printer in het Netwerk" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Bewerken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Verwijderen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Vernieuwen" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Type" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Firmwareversie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adres" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Verbinden" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Ongeldig IP-adres" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Voer een geldig IP-adres in." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Printeradres" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Printen via netwerk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Printen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Printerselectie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Plaats bovenaan" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Verwijderen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Hervatten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pauzeren..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Hervatten..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pauzeren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Afbreken..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Afbreken" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Plaats printtaak bovenaan" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Printtaak verwijderen" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Printen afbreken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Afgebroken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Gereed" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Voorbereiden..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Afbreken..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pauzeren..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Gepauzeerd" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Hervatten..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Handeling nodig" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Voltooit %1 om %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Printer beheren" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Laden..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Niet beschikbaar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Onbereikbaar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Inactief" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Printen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Zonder titel" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anoniem" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Hiervoor zijn configuratiewijzigingen vereist" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Details" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Platform Kalibreren" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Kalibratie Platform Starten" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Beweeg Naar de Volgende Positie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Project openen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Bestaand(e) bijwerken" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Nieuw maken" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Samenvatting - Cura-project" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Printerinstellingen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Type" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Printergroep" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Profielinstellingen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Naam" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Niet in profiel" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 overschrijving" msgstr[1] "%1 overschrijvingen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Afgeleide van" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Materiaalinstellingen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Zichtbaarheid instellen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modus" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Zichtbare instellingen:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 van %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Als u een project laadt, worden alle modellen van het platform gewist." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Openen" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Wilt u meer?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Back-up verwijderen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Back-up herstellen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 "Invoegtoepassingen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura-back-ups" + +#: /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:199 +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 +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/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 "De firmware die bij nieuwe printers wordt geleverd, werkt wel, maar nieuwe versies hebben vaak meer functies en verbeteringen." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Firmware-upgrade Automatisch Uitvoeren" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Aangepaste Firmware Uploaden" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Afbeelding Converteren..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Hoogte (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Basis (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Breedte (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Diepte (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Donkerder is hoger" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Doorschijnendheid" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "Transmissie 1 mm (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Printer" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Nozzle-instellingen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Maat nozzle" + +#: /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" +msgstr "Compatibele materiaaldiameter" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Nozzle-offset X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Nozzle-offset Y" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Nummer van koelventilator" + +#: /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/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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Breedte)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Diepte)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Hoogte)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Vorm van het platform" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Centraal oorsprongpunt" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Verwarmd bed" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Verwarmde werkvolume" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Versie G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Printkopinstellingen" + +#: /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 "Rijbrughoogte" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Aantal extruders" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Pas extruderoffsets toe op GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Start G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Eind G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2593,1364 +2245,971 @@ msgstr "" "- Controleer of de printer verbonden is met het netwerk.\n" "- Controleer of u bent aangemeld om met de cloud verbonden printers te detecteren." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Verbind uw printer met het netwerk." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Gebruikershandleidingen online weergegeven" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Alleen vulraster" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Snijdend raster" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Instellingen selecteren" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Meer informatie over anonieme gegevensverzameling" +msgid "Select Settings to Customize for this model" +msgstr "Instellingen Selecteren om Dit Model Aan te Passen" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filteren..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Alles weergeven" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Invoegtoepassing voor Nabewerking" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Actieve scripts voor nabewerking wijzigen." + +#: /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] "Het volgende script is actief:" +msgstr[1] "De volgende scripts zijn actief:" + +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Materiaalkleur" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Lijntype" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Snelheid" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Laagdikte" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Lijnbreedte" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Compatibiliteitsmodus" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Bewegingen" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Helpers" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Shell" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Wordt gestart" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Alleen bovenlagen weergegeven" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Boven-/onderkant" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Binnenwand" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "max." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Nozzle-instellingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Maat nozzle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Compatibele materiaaldiameter" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Nozzle-offset X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Nozzle-offset Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Nummer van koelventilator" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Start-G-code van extruder" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Eind-G-code van extruder" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Printer" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Printerinstellingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Breedte)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Diepte)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Hoogte)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Vorm van het platform" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Centraal oorsprongpunt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Verwarmd bed" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Verwarmde werkvolume" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Versie G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Printkopinstellingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Rijbrughoogte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Aantal extruders" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Pas extruderoffsets toe op GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Start G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Eind G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Afbeelding Converteren..." +msgid "More information on anonymous data collection" +msgstr "Meer informatie over anonieme gegevensverzameling" -#: /mnt/projects/ultimaker/cura/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\"." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Hoogte (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Basis (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Breedte (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Diepte (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Donkerder is hoger" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Lichter is hoger" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Lineair" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Doorschijnendheid" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "Transmissie 1 mm (%)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Effenen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Mijn back-ups" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Wilt u meer?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Nu back-up maken" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Auto back-up" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura-versie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Machines" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materialen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profielen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Invoegtoepassingen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Herstellen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Back-up verwijderen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Back-up herstellen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura-back-ups" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Materiaal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favorieten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Standaard" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Bestand" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Project opslaan..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exporteren..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Selectie Exporteren..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "&Recente bestanden openen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Configuratie selecteren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Configuraties" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configuraties" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Aangepast" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Printer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Ingeschakeld" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiaal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Gebruik lijm bij deze combinatie van materialen voor een betere hechting." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marktplaats" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Beschikbare configuraties laden vanaf de printer..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "Beel&d" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Camerapositie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Camerabeeld" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspectief" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Orthografisch" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Platform" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Netwerkprinters" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Lokale printers" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Zichtbare instellingen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Alle categorieën samenvouwen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Instelling voor zichtbaarheid beheren..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "In&stellingen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Printer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiaal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Instellen als Actieve Extruder" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Extruder inschakelen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Extruder uitschakelen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Project opslaan..." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Aantal exemplaren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Bestand(en) openen..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Aangepaste profielen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Huidige wijzigingen verwijderen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Profiel" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Sommige waarden of aanpassingen van instellingen zijn anders dan de waarden die in het profiel zijn opgeslagen.\n" -"\n" -"Klik om het profielbeheer te openen." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Aan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Uit" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Experimenteel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Aanbevolen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Aangepast" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Instellingen voor printen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Geleidelijke vulling" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profielen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Supportstructuur" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Hechting" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "Geen items om uit te kiezen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Actieve print" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Taaknaam" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Printtijd" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Geschatte resterende tijd" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Wijzigingen verwijderen of behouden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"U hebt enkele profielinstellingen aangepast.\n" -"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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Profielinstellingen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Huidige wijzigingen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Altijd vragen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Verwijderen en nooit meer vragen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Behouden en nooit meer vragen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Wijzigingen verwijderen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Wijzigingen behouden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "Ongeveer %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "versie: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 is ontwikkeld door Ultimaker B.V. in samenwerking met de community.\n" -"Cura maakt met trots gebruik van de volgende opensourceprojecten:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Grafische gebruikersinterface (GUI)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Toepassingskader" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "G-code-generator" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "InterProcess Communication-bibliotheek" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Programmeertaal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI-kader" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Bindingen met GUI-kader" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Bindingenbibliotheek C/C++" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Indeling voor gegevensuitwisseling" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Ondersteuningsbibliotheek voor wetenschappelijke berekeningen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Ondersteuningsbibliotheek voor snellere berekeningen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "Ondersteuningsbibliotheek voor het verwerken van STL-bestanden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "Ondersteuningsbibliotheek voor het verwerken van tweedimensionale objecten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "Ondersteuningsbibliotheek voor het verwerken van driehoekig rasters" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "Ondersteuningsbibliotheek voor het verwerken van 3MF-bestanden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "Ondersteuningsbibliotheek voor bestandsmetadata en streaming" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Seriële-communicatiebibliotheek" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConf-detectiebibliotheek" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Bibliotheek met veelhoeken" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Statische typecontrole voor Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "Rootcertificaten voor het valideren van SSL-betrouwbaarheid" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Python fouttraceringsbibliotheek" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Pythonbindingen voor libnest2d" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "Ondersteuningsbibliotheek voor toegang tot systeemkeyring" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Pythonextensies voor Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Lettertype" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG-pictogrammen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Implementatie van Linux-toepassing voor kruisdistributie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Bestand(en) openen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Allemaal als model importeren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Project opslaan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 &materiaal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Materiaal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Bij opnieuw opslaan projectsamenvatting niet weergeven" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Opslaan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Projectbestand openen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "Ik wil geen anonieme gegevens verzenden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Mijn keuze onthouden" +msgid "Allow sending anonymous data" +msgstr "Verzenden van anonieme gegevens toestaan" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Openen als project" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Modellen importeren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Zonder titel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Welkom bij Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Aan de slag" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Leeg" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Help ons Ultimaker Cura te verbeteren" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Machinetypen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Materiaalgebruik" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Aantal slices" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Instellingen voor printen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Meer informatie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Een printer toevoegen op IP-adres" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Toevoegen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Kan geen verbinding maken met het apparaat." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Terug" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ga naar Marketplace op internet" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Materialen zoeken" + +#: /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 "Invoegtoepassingen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:457 +#: /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 +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:178 +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-invoegtoepassingen" + +#: /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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Geïnstalleerde materialen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Gebundelde plug-ins" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Kalibratie Platform Starten" + +#: /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/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/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/trin/Gedeeld/Projects/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/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/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 "Verbinding maken" +msgstr "Verbinden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Een printer toevoegen" +msgid "Enter the IP address of your printer on the network." +msgstr "Voer het IP-adres van uw printer in het netwerk in." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Een netwerkprinter toevoegen" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Een niet-netwerkprinter toevoegen" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "Nieuwe functies" +msgid "Change material %1 from %2 to %3." +msgstr "Wijzig het materiaal %1 van %2 in %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Een cloudprinter toevoegen" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Laad %3 als materiaal %1 (kan niet worden overschreven)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Wachten op cloudreactie" +msgid "Change print core %1 from %2 to %3." +msgstr "Wijzig de print core %1 van %2 in %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Geen printers gevonden in uw account?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Wijzig het platform naar %1 (kan niet worden overschreven)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 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:" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Printer handmatig toevoegen" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Printen via netwerk" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Printen" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Maak een gratis Ultimaker-account aan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Overslaan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Gebruikersovereenkomst" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Afwijzen en sluiten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Release notes" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Vernieuwen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Printer toevoegen op IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Een cloudprinter toevoegen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Probleemoplossing" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabrikant" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Profieleigenaar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Printernaam" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Geef uw printer een naam" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Laatste update: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker-account" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Afmelden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3961,935 +3220,1921 @@ msgstr "" "- 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Aanmelden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "Aan het controleren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Account gesynchroniseerd" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Er is een fout opgetreden..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Updates in afwachting installeren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "Controleren op accountupdates" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lijst met objecten" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Laatste update: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker-account" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Slicen..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Kan niet slicen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Verwerken" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Slicen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Het sliceproces starten" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Volledig Scherm In-/Uitschakelen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Volledig scherm sluiten" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "Ongedaan &Maken" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&Opnieuw" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "&Afsluiten" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "3D-weergave" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Weergave voorzijde" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Weergave bovenzijde" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Weergave linkerzijde" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Weergave rechterzijde" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Cura Configureren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "&Printer Toevoegen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Pr&inters Beheren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Materialen Beheren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Meer materialen toevoegen van Marketplace" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "Profiel bijwerken met h&uidige instellingen/overschrijvingen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "Hui&dige wijzigingen verwijderen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "Profiel maken op basis van huidige instellingen/overs&chrijvingen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Profielen Beheren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Online &Documentatie Weergeven" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "Een &Bug Rapporteren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Nieuwe functies" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "Over..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Verwijder geselecteerde items" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Centreer geselecteerde items" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Verveelvoudig geselecteerde items" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Model Verwijderen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "Model op Platform Ce&ntreren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "Modellen &Groeperen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Groeperen van Modellen Opheffen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "Modellen Samen&voegen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "&Model verveelvoudigen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Alle Modellen Selecteren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Platform Leegmaken" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Alle Modellen Opnieuw Laden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "Alle modellen schikken op alle platformen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Alle modellen schikken" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Selectie schikken" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Alle Modelposities Herstellen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Alle Modeltransformaties Herstellen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "Bestand(en) &openen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&Nieuw project..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Open Configuratiemap" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Zichtbaarheid Instelling Configureren..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&Marktplaats" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Berekend" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Instelling" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profiel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Huidig" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Eenheid" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informatie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Diameterwijziging bevestigen" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Naam" +msgid "This package will be installed after restarting." +msgstr "Dit package wordt na opnieuw starten geïnstalleerd." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Type Materiaal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Kleur" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Eigenschappen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Dichtheid" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diameter" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Kostprijs Filament" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Gewicht filament" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Lengte filament" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Kostprijs per meter" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Materiaal ontkoppelen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Beschrijving" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Gegevens Hechting" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Activeren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Maken" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Dupliceren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importeren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exporteren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Printer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Verwijderen Bevestigen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Materiaal Importeren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Kon materiaal %1 niet importeren: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Materiaal %1 is geïmporteerd" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Materiaal Exporteren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Materiaal is geëxporteerd naar %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Printers" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Hernoemen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profielen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Maken" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Dupliceren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profiel Maken" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profiel Dupliceren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profiel Hernoemen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profiel Importeren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profiel Exporteren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Printer: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Profiel bijwerken met huidige instellingen/overschrijvingen" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Algemene Instellingen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Zichtbaarheid Instellen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Alles aanvinken" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "Algemeen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Instellingen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Printers" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profielen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 wordt gesloten" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +msgctxt "@title:window" +msgid "Open file(s)" +msgstr "Bestand(en) openen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Package installeren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Bestand(en) openen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Printer Toevoegen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Nieuwe functies" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "Interface" +msgid "version: %1" +msgstr "versie: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "Valuta:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "End-to-end-oplossing voor fused filament 3D-printen." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 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 msgctxt "@label" -msgid "Theme:" -msgstr "Thema:" +msgid "Graphical user interface" +msgstr "Grafische gebruikersinterface (GUI)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 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." +msgid "Application framework" +msgstr "Toepassingskader" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Automatisch slicen bij wijzigen van instellingen." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatisch slicen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "Gedrag kijkvenster" +msgid "G-code generator" +msgstr "G-code-generator" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "InterProcess Communication-bibliotheek" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Overhang weergeven" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "Programmeertaal" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUI-kader" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Modelfouten weergeven" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Bindingen met GUI-kader" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "Bindingenbibliotheek C/C++" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for scientific computing" +msgstr "Ondersteuningsbibliotheek voor wetenschappelijke berekeningen" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Seriële-communicatiebibliotheek" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Bibliotheek met veelhoeken" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Python Error tracking library" +msgstr "Python fouttraceringsbibliotheek" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Python bindings for libnest2d" +msgstr "Pythonbindingen voor libnest2d" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Python extensions for Microsoft Windows" +msgstr "Pythonextensies voor Microsoft Windows" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +msgctxt "@label" +msgid "Font" +msgstr "Lettertype" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Projectbestand openen" + +#: /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 "Dit is een Cura-projectbestand. Wilt u dit openen als project of de modellen eruit importeren?" + +#: /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 msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Camera centreren wanneer een item wordt geselecteerd" +msgid "Open as project" +msgstr "Openen als project" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Moet het standaard zoomgedrag van Cura worden omgekeerd?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Keer de richting van de camerazoom om." +msgid "Import models" +msgstr "Modellen importeren" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Wijzigingen verwijderen of behouden" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"U hebt enkele profielinstellingen aangepast.\n" +"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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoomen in de richting van de muis" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Profielinstellingen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Huidige wijzigingen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Modellen gescheiden houden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Modellen automatisch op het platform laten vallen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Toon het waarschuwingsbericht in de G-code-lezer." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Waarschuwingsbericht in de G-code-lezer" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Moet de laag in de compatibiliteitsmodus worden geforceerd?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Compatibiliteitsmodus voor laagweergave forceren (opnieuw opstarten vereist)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Moet Cura openen op de locatie waar het gesloten werd?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Herstel de vensterpositie bij het opstarten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Welk type cameraweergave moet worden gebruikt?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Cameraweergave:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Perspectief" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Orthografisch" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Bestanden openen en opslaan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Gebruik één instantie van Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Grote modellen schalen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Extreem kleine modellen schalen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Moeten modellen worden geselecteerd nadat ze zijn geladen?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Modellen selecteren wanneer ze geladen zijn" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Machinevoorvoegsel toevoegen aan taaknaam" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Dialoogvenster voor samenvatting weergeven tijdens het opslaan van een project" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Standaardgedrag tijdens het openen van een projectbestand" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Standaardgedrag tijdens het openen van een projectbestand: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Altijd vragen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Altijd als project openen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Altijd modellen importeren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Gewijzigde instellingen altijd verwijderen" +msgid "Discard and never ask again" +msgstr "Verwijderen en nooit meer vragen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Gewijzigde instellingen altijd naar nieuw profiel overbrengen" +msgid "Keep and never ask again" +msgstr "Behouden en nooit meer vragen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Bij starten op updates controleren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(Anonieme) printgegevens verzenden" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "Meer informatie" +msgid "Discard changes" +msgstr "Wijzigingen verwijderen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Wijzigingen behouden" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Allemaal als model importeren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Project opslaan" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 &materiaal" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Materiaal" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Opslaan" + +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensies" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Voo&rkeuren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Help" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Nieuw project" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "Type weergeven" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Configuratie selecteren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 msgctxt "@label:MonitorStatus" msgid "Printer does not accept commands" msgstr "Printer accepteert geen opdrachten" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Printen..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "Gepauzeerd" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Voorbereiden..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "Verwijder de print" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Printen Afbreken" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Is geprint als support." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Interface" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Valuta:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Thema:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatisch slicen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Gedrag kijkvenster" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Overhang weergeven" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Modelfouten weergeven" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Modellen gescheiden houden" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Cameraweergave:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspectief" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Orthografisch" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Bestanden openen en opslaan" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +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:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Grote modellen schalen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Extreem kleine modellen schalen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +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:605 +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:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Altijd vragen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Altijd als project openen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Altijd modellen importeren" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Gewijzigde instellingen altijd verwijderen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacy" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(Anonieme) printgegevens verzenden" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Meer informatie" + +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Printer" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Materiaal Importeren" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Materiaal Exporteren" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Instellingen zoeken" +msgid "Check all" +msgstr "Alles aanvinken" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Waarde naar alle extruders kopiëren" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extruder" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Deze instelling verbergen" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Deze instelling verbergen" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Deze instelling zichtbaar houden" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Printer toevoegen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Actieve print" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +msgstr "Taaknaam" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +msgctxt "@label" +msgid "Printing Time" +msgstr "Printtijd" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Profiel" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Sommige waarden of aanpassingen van instellingen zijn anders dan de waarden die in het profiel zijn opgeslagen.\n" +"\n" +"Klik om het profielbeheer te openen." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimenteel" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Geleidelijke vulling" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Supportstructuur" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4900,32 +5145,32 @@ msgstr "" "\n" "Klik om deze instellingen zichtbaar te maken." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Beïnvloedt" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Beïnvloed door" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Deze instelling wordt afgeleid van strijdige extruderspecifieke waarden:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4936,7 +5181,7 @@ msgstr "" "\n" "Klik om de waarde van het profiel te herstellen." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4947,714 +5192,308 @@ msgstr "" "\n" "Klik om de berekende waarde te herstellen." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Instellingen zoeken" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Deze instelling verbergen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Deze instelling verbergen" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Weergave voorzijde" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Weergave bovenzijde" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Linkeraanzicht" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Rechteraanzicht" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extruder" +msgid "View type" +msgstr "Type weergeven" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Een cloudprinter toevoegen" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Wachten op cloudreactie" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Geen printers gevonden in uw account?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Annuleren" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Voorverwarmen" +msgid "Add printer manually" +msgstr "Printer handmatig toevoegen" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Het materiaal in deze extruder." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Platform" +msgid "Manufacturer" +msgstr "Fabrikant" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Printerbediening" +msgid "Profile author" +msgstr "Profieleigenaar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Jog-positie" +msgid "Printer name" +msgstr "Printernaam" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Een printer toevoegen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Een netwerkprinter toevoegen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Jog-afstand" +msgid "Add a non-networked printer" +msgstr "Een niet-netwerkprinter toevoegen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "G-code verzenden" +msgid "There is no printer found over your network." +msgstr "Kan in uw netwerk geen printer vinden." -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Er is geen verbinding met de printer." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "Is geprint als support." +msgid "Refresh" +msgstr "Vernieuwen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Andere modellen die met dit model overlappen, zijn gewijzigd." +msgid "Add printer by IP" +msgstr "Printer toevoegen op IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "De vulling die met dit model overlapt, is aangepast." +msgid "Add cloud printer" +msgstr "Een cloudprinter toevoegen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Overlappingen worden in dit model niet ondersteund." +msgid "Troubleshooting" +msgstr "Probleemoplossing" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marktplaats" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "B&ewerken" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensies" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Voo&rkeuren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Help" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Nieuw project" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Dit package wordt na opnieuw starten geïnstalleerd." +msgid "Add printer by IP address" +msgstr "Een printer toevoegen op IP-adres" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Instellingen" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 wordt gesloten" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Toevoegen" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Package installeren" +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Bestand(en) openen" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Printer Toevoegen" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Terug" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Maak een gratis Ultimaker-account aan" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Overslaan" + +#: /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." +msgstr "" +"Volg deze stappen voor het instellen van\n" +"Ultimaker Cura. Dit duurt slechts even." + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "Nieuwe functies" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Printer toevoegen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Printers beheren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Verbonden printers" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Vooraf ingestelde printers" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Tijdschatting" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Materiaalschatting" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Slicen..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Kan niet slicen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Verwerken" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Slicen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Het sliceproces starten" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Annuleren" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Geen tijdschatting beschikbaar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Geen kostenraming beschikbaar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Voorbeeld" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Biedt hotplug- en schrijfondersteuning voor verwisselbare stations." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Invoegtoepassing voor Verwijderbaar uitvoerapparaat" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.2 naar Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Versie-upgrade van 4.2 naar 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Versie-upgrade van 2.6 naar 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.5 naar Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Versie-upgrade van 2.5 naar 2.6" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Versie-upgrade van 2.1 naar 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.3 naar Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Versie-upgrade van 4.3 naar 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.4 naar Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Versie-upgrade van 3.4 naar 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Versie-upgrade van 2.7 naar 3.0" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Deze optie biedt ondersteuning voor het lezen van X3D-bestanden." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3D-lezer" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Biedt de Instellingen per Model." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Gereedschap voor Instellingen per Model" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Hiermee accepteert u G-code en verzendt u deze code naar een printer. Via de invoegtoepassing kan tevens de firmware worden bijgewerkt." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB-printen" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" +msgid "No items to select from" +msgstr "Geen items om uit te kiezen" #: ModelChecker/plugin.json msgctxt "description" @@ -5666,105 +5505,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Modelcontrole" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Controleert op firmware-updates." +msgid "Provides support for reading 3MF files." +msgstr "Biedt ondersteuning voor het lezen van 3MF-bestanden." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Firmware-updatecontrole" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Hiermee maakt u een wisraster om het printen van een supportstructuur op bepaalde plekken te blokkeren" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Supportwisser" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Deze optie biedt een voorbereidingsstadium in Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Stadium voorbereiden" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "3MF-lezer" #: 3MFWriter/plugin.json msgctxt "description" @@ -5776,65 +5525,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF-schrijver" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "Biedt ondersteuning voor het lezen van AMF-bestanden." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Slice-informatie" +msgid "AMF Reader" +msgstr "AMF-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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Hiermee geeft u de simulatieweergave weer." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Voorziet in de koppeling naar het slicing-back-end van de CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Simulatieweergave" - -#: 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" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "CuraEngine-back-end" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5846,15 +5565,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Cura-profiellezer" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Deze optie biedt ondersteuning voor het schrijven van Ultimaker Format Packages." +msgid "Provides support for exporting Cura profiles." +msgstr "Biedt ondersteuning voor het exporteren van Cura-profielen." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UFP-schrijver" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -5876,15 +5665,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Afbeeldinglezer" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Een back-up maken van uw configuratie en deze herstellen." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Biedt ondersteuning voor het importeren van profielen uit oudere Cura-versies." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura-back-ups" +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." +msgstr "Biedt de Instellingen per Model." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Gereedschap voor Instellingen per Model" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Deze optie biedt een voorbereidingsstadium in Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Stadium voorbereiden" + +#: 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" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Biedt hotplug- en schrijfondersteuning voor verwisselbare stations." + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "name" +msgid "Removable Drive Output Device Plugin" +msgstr "Invoegtoepassing 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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Hiermee maakt u een wisraster om het printen van een supportstructuur op bepaalde plekken te blokkeren" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Supportwisser" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Deze optie biedt ondersteuning voor het schrijven van Ultimaker Format Packages." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UFP-schrijver" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Hiermee accepteert u G-code en verzendt u deze code naar een printer. Via de invoegtoepassing kan tevens de firmware worden bijgewerkt." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB-printen" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Versie-upgrade van 2.1 naar 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.5 naar Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Versie-upgrade van 2.5 naar 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Versie-upgrade van 2.6 naar 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.4 naar Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "Versie-upgrade van 3.4 naar 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.2 naar Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Versie-upgrade van 4.2 naar 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.3 naar Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Deze optie biedt ondersteuning voor het lezen van X3D-bestanden." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D-lezer" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/nl_NL/fdmextruder.def.json.po b/resources/i18n/nl_NL/fdmextruder.def.json.po index 86e9776a2b..72fde7bd7a 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 8d23b5b759..11c5493973 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:03+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Dutch , Dutch \n" @@ -3200,8 +3200,8 @@ msgstr "Max. combing-afstand zonder intrekken" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Wanneer dit niet nul is, vindt bij een combing-beweging die langer is dan deze afstand, intrekking plaats." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6401,6 +6401,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Wanneer dit niet nul is, vindt bij een combing-beweging die langer is dan deze afstand, intrekking plaats." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Pas de extruderoffset toe op het coördinatensysteem." diff --git a/resources/i18n/pl_PL/cura.po b/resources/i18n/pl_PL/cura.po index 00dab1bb95..1dce7efaa4 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2019-11-15 15:23+0100\n" "Last-Translator: Mariusz Matłosz \n" "Language-Team: Mariusz Matłosz , reprapy.pl\n" @@ -18,188 +18,180 @@ msgstr "" "X-Generator: Poedit 2.2.4\n" "X-Poedit-SourceCharset: UTF-8\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Ładowanie drukarek..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Ustawianie preferencji..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Dostępne drukarki sieciowe" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nie zastąpione" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Ustawianie sceny ..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Ładowanie interfejsu ..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Ostrzeżenie" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Błąd" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Niestandardowy materiał" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Niestandardowy" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Domyślne" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Nieznany" +msgid "Visual" +msgstr "Wizualny" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Niestandardowy materiał" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Niestandardowy" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Profile niestandardowe" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Wszystkie Wspierane Typy ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Wszystkie Pliki (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Wizualny" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Logowanie nie powiodło się" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Znajdowanie nowej lokalizacji obiektów" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Inżynieria" +#: /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 "Szukanie Lokalizacji" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Szkic" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Nie można Znaleźć Lokalizacji" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Nie można utworzyć archiwum z folderu danych użytkownika: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Kopia zapasowa" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Dostępne drukarki sieciowe" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nie zastąpione" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Obszar Roboczy" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura nie może się uruchomić" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -214,32 +206,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Wyślij raport błędu do Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Pokaż szczegółowy raport błędu" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Pokaż folder konfiguracyjny" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Zrób Backup i Zresetuj Konfigurację" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Raport Błędu" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -250,1092 +242,491 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informacje o systemie" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Nieznany" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Wersja Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platforma" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Wersja Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Wersja PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Jeszcze nie uruchomiono
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Wersja OpenGL: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Wydawca OpenGL: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Śledzenie błedu" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Logi" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Wyślij raport" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Logowanie nie powiodło się" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Ładowanie drukarek..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Ustawianie preferencji..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Ustawianie sceny ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Ładowanie interfejsu ..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Ostrzeżenie" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Błąd" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Zwielokrotnienie i umieszczanie przedmiotów" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Umieść Obiekty" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Nie można uzyskać dostępu do serwera kont Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Plik już istnieje" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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ć?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Nieprawidłowy adres URL pliku:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Dysza" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ustawienia zostały zaaktualizowane" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Ekstruder(y) wyłączony(/e)" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Wyeksportowano profil do {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Eksport udany" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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ć." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Plik {0} nie zawiera żadnego poprawnego profilu." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Niestandardowy profil" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Profilowi brakuje typu jakości." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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 "" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "Niewspierany" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Domyślne" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Znajdowanie nowej lokalizacji obiektów" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Dysza" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Szukanie Lokalizacji" +msgid "Settings updated" +msgstr "Ustawienia zostały zaaktualizowane" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Nie można Znaleźć Lokalizacji" +msgid "Extruder(s) Disabled" +msgstr "Ekstruder(y) wyłączony(/e)" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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" +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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Anuluj" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Grupa #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Zamknij" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Następny" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Zewnętrzna ściana" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Ściany wewnętrzne" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Skin" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Wypełnienie" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Wypełnienie podpór" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Łączenie podpory" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Podpory" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Obwódka" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Wieża czyszcząca" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Ruch jałowy" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Retrakcja" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Inny" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Dodaj" +msgid "Next" +msgstr "Następny" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Anuluj" +msgid "Skip" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 -msgctxt "@info:title" -msgid "Build Volume" -msgstr "Obszar Roboczy" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Nie można utworzyć archiwum z folderu danych użytkownika: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Kopia zapasowa" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Zwielokrotnienie i umieszczanie przedmiotów" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Umieść Obiekty" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Rozmieszczenie Obiektów" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Zapisz na dysk wymienny" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Zapisz na dysk wymienny {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Zapisywanie na Dysk Wymienny {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Zapisywanie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Zapisano na dysk wymienny {0} jako {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Plik Zapisany" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /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 "Eject" -msgstr "Wyjmij" +msgid "Close" +msgstr "Zamknij" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Wyjmij urządzenie wymienne {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Bezpiecznie Odłącz Urządzenie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Dysk wymienny" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Plik AMF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Pliki G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Aktualizacja Oprogramowania Sprzętowego" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D Plik" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Zgadzam się" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Akceptowanie Licencji Wtyczki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Ustawienia każdego modelu osobno" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Konfiguruj ustawienia każdego modelu z osobna" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Przetwarzanie końcowe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modyfikuj G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -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ą." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "Nie można pociąć" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Przetwarzanie warstw" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:title" -msgid "Information" -msgstr "Informacja" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Drukowanie USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Drukuj przez USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Drukuj przez USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Połączono przez USB" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Drukowanie w toku" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Profile Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Połącz przez sieć" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -#, 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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 -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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 -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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 -msgctxt "@title:window" -msgid "Remove printers?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 -#, python-brace-format -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] "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "jutro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "dziś" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Wysyłanie zadania druku" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Przesyłanie zadania do drukarki." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Nie jest gospodarzem grupy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Konfiguruj grupę" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 -msgctxt "@info:status" -msgid "Send and monitor print jobs from anywhere using your Ultimaker account." -msgstr "Wyślij i nadzoruj zadania druku z każdego miejsca, używając konta Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 -msgctxt "@info:status Ultimaker Cloud should not be translated." -msgid "Connect to Ultimaker Digital Factory" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 -msgctxt "@action" -msgid "Get started" -msgstr "Rozpocznij" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Błąd druku" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Błąd sieci" - -#: /mnt/projects/ultimaker/cura/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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Wysyłanie materiałów do drukarki" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Dane Wysłane" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Zaktualizuj swoją drukarkę" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Drukuj przez sieć" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Drukuj przez sieć" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Połączone przez sieć" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "Wybierz aktualizacje" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Wypoziomuj stół" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Zalecane" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Niestandardowe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Otwórz Plik Projektu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Plik 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Skompresowany Plik G-code" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "Asystent Modelu 3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1349,1346 +740,1490 @@ 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)

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /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/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "Otwórz Plik Projektu" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 +#, 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:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 +#, 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:698 +#, 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 +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." +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 +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:26 +msgctxt "@info:title" +msgid "Backups" +msgstr "Kopie zapasowe" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +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:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Wgrywanie kopii zapasowej..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +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:107 +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:64 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Zarządzaj kopiami zapasowymi" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +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:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "Nie można pociąć" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#, 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:436 +#, 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:445 +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:454 +#, 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:463 +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:260 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /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 firmware available" msgstr "Nowe oprogramowanie %s jest dostępne" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Jak zaktualizować" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Plik G-code" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Aktualizacja Oprogramowania Sprzętowego" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:501 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Blokada Podpory" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "Cyfrowa wymiana zasobów COLLADA" +msgid "G File" +msgstr "Plik G-code" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "Biblioteka glTF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "Załączony JSON glTF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Format trójkątów Stanforda" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Skompresowana cyfrowa wymiana zasobów COLLADA" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Pakiet Formatu Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profile Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Przygotuj" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Widok X-Ray" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Błąd zapisu pliku 3mf." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Plik 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Plik Cura Project 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Podgląd" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Widok warstwy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Widok symulacji" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Nie pokazuj tego komunikatu ponownie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Ustawienia drukarki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Widok modelu" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 msgctxt "@item:inlistbox" msgid "JPG Image" msgstr "Obraz JPG" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 msgctxt "@item:inlistbox" msgid "JPEG Image" msgstr "Obraz JPEG" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 msgctxt "@item:inlistbox" msgid "PNG Image" msgstr "Obraz PNG" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 msgctxt "@item:inlistbox" msgid "BMP Image" msgstr "Obraz BMP" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 msgctxt "@item:inlistbox" msgid "GIF Image" msgstr "Obraz GIF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Kopie zapasowe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Wystąpił błąd podczas wgrywania kopii zapasowej." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Wgrywanie kopii zapasowej..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Wgrywanie kopii zapasowej zakończone." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Zarządzaj kopiami zapasowymi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aktualizacja Oprogramowania Sprzętowego" - -#: /mnt/projects/ultimaker/cura/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 "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." - -#: /mnt/projects/ultimaker/cura/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 "Oprogramowanie ukłądowe dostarczane z nowymi drukarkami działa, ale nowe wersje mają zazwyczaj więcej funkcji i ulepszeń." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automatycznie uaktualnij oprogramowanie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Prześlij niestandardowe oprogramowanie" - -#: /mnt/projects/ultimaker/cura/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ą." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Wybierz niestandardowe oprogramowanie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aktualizacja oprogramowania układowego" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aktualizowanie oprogramowania." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aktualizacja oprogramowania zakończona." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Dalej" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Potwierdź deinstalację" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiały" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profile" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Potwierdź" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Udział Społeczności" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Wtyczki Społeczności" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiały Podstawowe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Wersja" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Ostatnia aktualizacja" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Pobrań" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Strona internetowa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Zaloguj" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Uzyskiwanie pakietów..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Zgodność" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Drukarka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Stół roboczy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Podpory" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Jakość" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Dane Techniczne" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Dane Bezpieczeństwa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Wskazówki Drukowania" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Strona Internetowa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Wtyczki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiał" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Zainstalowano" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Zostanie zainstalowane po ponownym uruchomieniu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Aktualizuj" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aktualizowanie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Zaktualizowano" - -#: /mnt/projects/ultimaker/cura/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ć" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Zainstaluj poprzednią wersję" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Odinstaluj" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Zainstalowane" - -#: /mnt/projects/ultimaker/cura/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ć" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Powrót" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instaluj" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Typ siatki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normalny model" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Drukuj jako podpora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modyfikuj ustawienia nakładania" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Nie wspieraj nałożenia" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "" +msgid "Cura 15.04 profiles" +msgstr "Profile Cura 15.04" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Wybierz ustawienia" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Wybierz Ustawienia, aby dostosować ten model" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtr..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Pokaż wszystko" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plugin post-processingu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Skrypty post-processingu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 msgctxt "@action" -msgid "Add a script" -msgstr "Dodaj skrypt" +msgid "Machine Settings" +msgstr "Ustawienia drukarki" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 +#: /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 "Settings" -msgstr "Ustawienia" +msgid "Per Model Settings" +msgstr "Ustawienia każdego modelu osobno" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." +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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Zapisywanie" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Plik Zapisany" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Wyjmij" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Bezpiecznie Odłącz Urządzenie" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Widok symulacji" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Blokada Podpory" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" +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:93 +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:89 +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 "Zgadzam się" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Akceptowanie Licencji Wtyczki" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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:270 +#, 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:227 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "" msgstr[1] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "W kolejce" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:255 +#, 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] "" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:260 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Zadania druku" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +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] "" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:324 +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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Oczekiwanie na" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#, 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:337 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#, 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:422 +#, 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:423 +#, 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:460 msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Zmiany konfiguracji" +msgid "Remove printers?" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Nadpisz" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#, python-brace-format 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:" +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] "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 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." +msgid "" +"You are about to remove all printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/src/Messages/CloudFlowMessage.py:27 +msgctxt "@info:status" +msgid "Send and monitor print jobs from anywhere using your Ultimaker account." +msgstr "Wyślij i nadzoruj zadania druku z każdego miejsca, używając konta Ultimaker." -#: /mnt/projects/ultimaker/cura/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/src/Messages/CloudFlowMessage.py:33 +msgctxt "@info:status Ultimaker Cloud should not be translated." +msgid "Connect to Ultimaker Digital Factory" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/src/Messages/CloudFlowMessage.py:36 +msgctxt "@action" +msgid "Get started" +msgstr "Rozpocznij" -#: /mnt/projects/ultimaker/cura/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/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." -#: /mnt/projects/ultimaker/cura/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/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Zaktualizuj swoją drukarkę" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Szkło" +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminum" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Drukarka niedostępna" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Pierwsza dostępna" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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/src/Messages/NotClusterHostMessage.py:35 +msgctxt "@action" +msgid "Configure group" +msgstr "Konfiguruj grupę" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Połącz się z drukarką sieciową" +#: /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." -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Błąd druku" -#: /mnt/projects/ultimaker/cura/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/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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Edycja" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Błąd sieci" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Usunąć" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Wysyłanie zadania druku" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Odśwież" +#: /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." -#: /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Rodzaj" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Wersja oprogramowania" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adres" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Dane Wysłane" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Połącz" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Nieprawidłowy adres IP" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Proszę podać poprawny adres IP." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Adres drukarki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" +#: /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ć" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Drukuj" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Drukuj przez sieć" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +#: /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 msgctxt "@label" -msgid "Printer selection" -msgstr "Wybór drukarki" +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?" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:134 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Usuń" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Drukowanie w toku" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Ponów" +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D Plik" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Zatrzymywanie..." +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Widok X-Ray" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Przywracanie..." +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Wstrzymaj" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Przerywanie..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Anuluj" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Przesuń zadanie drukowania na początek" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Usuń zadanie drukowania" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Anuluj wydruk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Anulowano" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Zakończono" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Przygotowyję..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Przerywanie..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Zatrzymywanie..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Wstrzymana" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Przywracanie..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Konieczne są działania" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Zakończone %1 z %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Zarządzaj drukarkami" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Wczytywanie..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Niedostępne" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Nieosiągalna" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Zajęta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Drukowanie" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Bez tytułu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonimowa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Wymaga zmian konfiguracji" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Szczegóły" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Poziomowanie stołu" - -#: /mnt/projects/ultimaker/cura/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ć." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Rozpocznij poziomowanie stołu roboczego" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Przejdź do następnego położenia" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Otwórz projekt" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Zaktualizuj istniejące" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Utwórz nowy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Podsumowanie - Projekt Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Ustawienia drukarki" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Typ" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupa drukarek" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Ustawienia profilu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Nazwa" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Cel" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Nie w profilu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 nadpisanie" msgstr[1] "%1 Zastępuje" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Pochodna z" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Ustawienia materiału" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Ustawienie widoczności" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Tryb" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Widoczne ustawienie:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 poza %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Ładowanie projektu usunie wszystkie modele z platformy roboczej." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Otwórz" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Chcesz więcej?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Usuń kopię zapasową" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Przywróć kopię zapasową" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Kopie zapasowe cura" + +#: /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:199 +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 +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." + +#: /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 "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/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Automatycznie uaktualnij oprogramowanie" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Prześlij niestandardowe oprogramowanie" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Konwertuj obraz ..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Wysokość (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Baza (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Szerokość (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Głębokość (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Ciemniejsze jest wyższe" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Rozmiar dyszy" + +#: /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" +msgstr "Kompatybilna średnica materiału" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Korekcja dyszy X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Korekcja dyszy Y" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Numer Wentylatora" + +#: /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/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Końcowy G-code ekstrudera" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Ustawienia drukarki" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Szerokość)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Głębokość)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Wysokość)" + +#: /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" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Początkowy G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Końcowy G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2701,709 +2236,2802 @@ msgstr "" "- Sprawdź, czy drukarka jest podłączona do sieci.\n" "- Sprawdź, czy jesteś zalogowany, aby znaleźć drukarki podłączone do chmury." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Podłącz drukarkę do sieci." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Pokaż instrukcję użytkownika online" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Wybierz ustawienia" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Wiećej informacji o zbieraniu anonimowych danych" +msgid "Select Settings to Customize for this model" +msgstr "Wybierz Ustawienia, aby dostosować ten model" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtr..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Pokaż wszystko" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Plugin post-processingu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +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 "Schemat kolorów" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Kolor materiału" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Rodzaj linii" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Ruchy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Pomoce" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Obrys" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Pokaż tylko najwyższe warstwy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Góra/ Dół" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Wewnętrzna ściana" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "max" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Ustawienia dyszy" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /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 "Nozzle size" -msgstr "Rozmiar dyszy" +msgid "Compatibility" +msgstr "Zgodność" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Kompatybilna średnica materiału" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Korekcja dyszy X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Korekcja dyszy Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Numer Wentylatora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Początkowy G-code ekstrudera" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Końcowy G-code ekstrudera" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" msgstr "Drukarka" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Ustawienia drukarki" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Stół roboczy" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /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 "X (Width)" -msgstr "X (Szerokość)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Głębokość)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Wysokość)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Kształt stołu roboczego" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Początek na środku" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Podgrzewany stół" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Grzany obszar roboczy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Wersja G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Ustawienia głowicy" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Wysokość wózka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Liczba ekstruderów" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" +msgid "Premium" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Początkowy G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Końcowy G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 -msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Konwertuj obraz ..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /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 "The maximum distance of each pixel from \"Base.\"" -msgstr "Maksymalna odległość każdego piksela od \"Bazy.\"" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Wysokość (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Baza (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "Szerokość w milimetrach na stole." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Szerokość (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Głębokość (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Ciemniejsze jest wyższe" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Jaśniejszy jest wyższy" - -#: /mnt/projects/ultimaker/cura/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." +msgid "Go to Web Marketplace" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" +#: /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 "" -#: /mnt/projects/ultimaker/cura/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/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" +msgid "Plugins" +msgstr "Wtyczki" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiał" -#: /mnt/projects/ultimaker/cura/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/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Zainstalowano" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Wygładzanie" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +#: /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 +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 "My Backups" -msgstr "Moje Kopie Zapasowe" +msgid "Changes from your account" +msgstr "" -#: /mnt/projects/ultimaker/cura/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ć." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 msgctxt "@button" -msgid "Want more?" -msgstr "Chcesz więcej?" +msgid "Dismiss" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +#: /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:178 msgctxt "@button" -msgid "Backup Now" -msgstr "Utwórz kopię zapasową" +msgid "Next" +msgstr "Dalej" -#: /mnt/projects/ultimaker/cura/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/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 +msgctxt "@label" +msgid "The following packages will be added:" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 +msgctxt "@label" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Wersja Cura" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Potwierdź deinstalację" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Drukarki" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" msgid "Materials" msgstr "Materiały" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" msgid "Profiles" msgstr "Profile" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Pluginy" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Potwierdź" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Przywróć" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Usuń kopię zapasową" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 +msgctxt "@label" +msgid "Website" +msgstr "Strona internetowa" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 +msgctxt "@label" +msgid "Email" +msgstr "E-mail" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Przywróć kopię zapasową" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 +msgctxt "@label" +msgid "Version" +msgstr "Wersja" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 +msgctxt "@label" +msgid "Last updated" +msgstr "Ostatnia aktualizacja" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/trin/Gedeeld/Projects/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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Kopie zapasowe cura" +msgid "Connect to Networked Printer" +msgstr "Połącz się z drukarką sieciową" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" +#: /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/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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Drukuj przez sieć" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Drukuj" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Cięcie..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Nie można pociąć" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Przetwarzanie" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Potnij" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Rozpocznij proces cięcia" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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:125 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Zamknij" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Widok 3D" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Widok z przodu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Widok z góry" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Widok z lewej strony" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Widok z prawej strony" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Konfiguruj Cura..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Dodaj drukarkę..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Zarządzaj drukarkami..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Zarządzaj materiałami..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 +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:218 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Odrzuć bieżące zmiany" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 +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:236 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Zarządzaj profilami..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Pokaż dokumentację internetową" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Zgłoś błąd" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Co nowego" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "O..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Usuń model" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Wyśrodkuj model na platformie" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Grupuj modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Rozgrupuj modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Połącz modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Powiel model..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Wybierz wszystkie modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Wyczyść stół" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Przeładuj wszystkie modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 +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:398 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Ułóż wszystkie modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Wybór ułożenia" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Zresetuj wszystkie pozycje modelu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 +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:429 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Otwórz plik(i)..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nowy projekt..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Pokaż folder konfiguracji" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Skonfiguruj widoczność ustawień ..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Marketplace" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Ten pakiet zostanie zainstalowany po ponownym uruchomieniu." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 +msgctxt "@title:tab" +msgid "General" +msgstr "Ogólny" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ustawienia" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Drukarki" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profile" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instaluj pakiety" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Otwórz plik(i)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Dodaj drukarkę" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Co nowego" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "version: %1" +msgstr "version: %1" + +#: /home/trin/Gedeeld/Projects/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 +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 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 +msgctxt "@label" +msgid "Graphical user interface" +msgstr "Graficzny interfejs użytkownika" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "G-code generator" +msgstr "Generator g-code" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Programming language" +msgstr "Język programowania" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Powiązania Frameworka GUI" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Data interchange format" +msgstr "Format wymiany danych" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Biblioteka komunikacji szeregowej" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Biblioteka edytująca pola" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "Czcionka" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Otwórz plik projektu" + +#: /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 "Jest to plik projektu Cura. Czy chcesz otworzyć go jako projekt, czy zaimportować z niego modele?" + +#: /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 +msgctxt "@action:button" +msgid "Open as project" +msgstr "Otwórz jako projekt" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +msgctxt "@action:button" +msgid "Import models" +msgstr "Importuj modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Odrzuć lub zachowaj zmiany" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Ustawienia profilu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" +msgid "Always ask me this" +msgstr "Zawsze pytaj o to" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +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:160 +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:197 +msgctxt "@action:button" +msgid "Discard changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Importuj wszystkie jako modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Zapisz projekt" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Ekstruder %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & materiał" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" msgid "Material" msgstr "Materiał" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Ulubione" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Nie pokazuj podsumowania projektu podczas ponownego zapisywania" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Podstawowe" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Zapisz" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Edytuj" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Eksportuj..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Eksportuj Zaznaczenie..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Otwórz &ostatnio używane" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Wybierz konfigurację" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfiguracje" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfiguracje" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Niestandardowe" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Drukarka" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Włączona" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiał" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Ładowanie dostępnych konfiguracji z drukarki..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Konfiguracje są niedostępne, ponieważ drukarka jest odłączona." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Pozycja kamery" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Widok z kamery" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektywiczny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Rzut ortograficzny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "P&ole robocze" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Drukarki dostępne w sieci" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Drukarki lokalne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Widoczne Ustawienia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Ustaw Widoczność Ustawień..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 msgctxt "@title:menu menubar:toplevel" msgid "&Settings" msgstr "Opcje" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Drukarka" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "&Rozszerzenia" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiał" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Preferencje" -#: /mnt/projects/ultimaker/cura/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/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "P&omoc" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Włącz Ekstruder" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Nowy projekt" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Wyłącz Ekstruder" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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ń." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 +msgctxt "@action:button" +msgid "Marketplace" +msgstr "Marketplace" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:27 +#: /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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Wybierz konfigurację" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 msgctxt "@label" msgid "Number of Copies" msgstr "Liczba kopii" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Profile niestandardowe" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +#: /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:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Interfejs" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Waluta:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Motyw:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatyczne Cięcie" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Zachowanie okna edycji" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Wyświetl zwis" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Przybliżaj w kierunku myszy" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Renderowanie z kamery: " + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspektywiczny" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Rzut ortograficzny" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Otwieranie i zapisywanie plików" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Skaluj duże modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Skaluj bardzo małe modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +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:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Zaznaczaj modele po załadowaniu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Zawsze pytaj" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Zawsze otwieraj jako projekt" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Zawsze importuj modele" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Zawsze odrzucaj wprowadzone zmiany" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Prywatność" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +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:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Więcej informacji" + +#: /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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Drukarka" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importuj Materiał" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Eksportuj Materiał" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Dodaj drukarkę" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Aktywny wydruk" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +msgstr "Nazwa pracy" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +msgctxt "@label" +msgid "Printing Time" +msgstr "Czas druku" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/trin/Gedeeld/Projects/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" @@ -3414,1617 +5042,84 @@ msgstr "" "\n" "Kliknij, aby otworzyć menedżer profili." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Wł" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +msgctxt "@label:header" +msgid "Custom profiles" +msgstr "Profile niestandardowe" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Wył" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Eksperymentalne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Polecane" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Niestandardowe" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Ustawienia druku" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Stopniowe wypełnienie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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ę." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Podpory" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Przyczepność" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Aktywny wydruk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Nazwa pracy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Czas druku" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Szacowany czas pozostały" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Odrzuć lub zachowaj zmiany" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Ustawienia profilu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Zawsze pytaj o to" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Odrzuć i nigdy nie pytaj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Zachowaj i nigdy nie pytaj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "version: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Graficzny interfejs użytkownika" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Struktura aplikacji" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Generator g-code" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Biblioteka komunikacji międzyprocesowej" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Język programowania" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "Framework GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Powiązania Frameworka GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Biblioteka Powiązań C/C++" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Format wymiany danych" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Wsparcie biblioteki do obliczeń naukowych" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Wsparcie biblioteki dla szybszej matematyki" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Biblioteka komunikacji szeregowej" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Bilbiotek poszukująca Zeroconf" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Biblioteka edytująca pola" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Czcionka" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Ikony SVG" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Wdrożenie aplikacji pomiędzy dystrybucjami Linux" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Otwórz plik(i)" - -#: /mnt/projects/ultimaker/cura/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 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ć?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importuj wszystkie jako modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Zapisz projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Ekstruder %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & materiał" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Materiał" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Nie pokazuj podsumowania projektu podczas ponownego zapisywania" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Zapisz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Otwórz plik projektu" - -#: /mnt/projects/ultimaker/cura/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 "Jest to plik projektu Cura. Czy chcesz otworzyć go jako projekt, czy zaimportować z niego modele?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Zapamiętaj mój wybór" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 -msgctxt "@action:button" -msgid "Open as project" -msgstr "Otwórz jako projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Importuj modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Bez tytułu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Witaj w Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 msgctxt "@button" -msgid "Get started" -msgstr "Rozpocznij" +msgid "Recommended" +msgstr "Polecane" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Pusty" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Pomóż nam ulepszyć Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Typy maszyn" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Zużycie materiału" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Ilość warstw" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Ustawienia druku" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Więcej informacji" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Dodaj drukarkę przez IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 msgctxt "@button" -msgid "Add" -msgstr "Dodaj" +msgid "Custom" +msgstr "Niestandardowe" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +#: /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:33 msgctxt "@label" -msgid "Could not connect to device." -msgstr "Nie można połączyć się z urządzeniem." +msgid "Experimental" +msgstr "Eksperymentalne" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "" +msgid "Adhesion" +msgstr "Przyczepność" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "Drukarka pod tym adresem jeszcze nie odpowiedziała." +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 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." +msgid "Gradual infill" +msgstr "Stopniowe wypełnienie" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Wstecz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Połącz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 msgctxt "@label" -msgid "Add a printer" -msgstr "Dodaj drukarkę" +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ę." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 +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 msgctxt "@label" -msgid "Add a networked printer" -msgstr "Dodaj drukarkę sieciową" +msgid "Support" +msgstr "Podpory" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Dodaj drukarkę niesieciową" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 -msgctxt "@label" -msgid "What's New" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Umowa z użytkownikiem" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Odrzuć i zamknij" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Odśwież" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Dodaj drukarkę przez IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Rozwiązywanie problemów" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Producent" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Nazwa drukarki" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Zaloguj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista obiektów" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Pokaż przewodnik rozwiązywania problemów online" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Przełącz tryb pełnoekranowy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Wyłącz tryb pełnoekranowy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Cofnij" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Ponów" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Zamknij" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Widok 3D" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Widok z przodu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Widok z góry" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Widok z lewej strony" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Widok z prawej strony" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Konfiguruj Cura..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Dodaj drukarkę..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Zarządzaj drukarkami..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Zarządzaj materiałami..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Aktualizuj profil z bieżącymi ustawieniami" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Odrzuć bieżące zmiany" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Utwórz profil z bieżących ustawień..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Zarządzaj profilami..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Pokaż dokumentację internetową" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Zgłoś błąd" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Co nowego" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "O..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Usuń model" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Wyśrodkuj model na platformie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Grupuj modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Rozgrupuj modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Połącz modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Powiel model..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Wybierz wszystkie modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Wyczyść stół" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Przeładuj wszystkie modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Rozłóż Wszystkie Modele na Wszystkie Platformy Robocze" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Ułóż wszystkie modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Wybór ułożenia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Zresetuj wszystkie pozycje modelu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Zresetuj wszystkie przekształcenia modelu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Otwórz plik(i)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nowy projekt..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Pokaż folder konfiguracji" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Skonfiguruj widoczność ustawień ..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Przeliczone" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ustawienie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Aktualny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Jednostka" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informacja" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Potwierdź Zmianę Średnicy" - -#: /mnt/projects/ultimaker/cura/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ć?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Wyświetlana nazwa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Typ Materiału" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Kolor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Właściwości" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Gęstość" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Średnica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Koszt Filamentu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Waga filamentu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Długość Filamentu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Koszt na metr" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Odłącz materiał" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Opis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informacje dotyczące przyczepności" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktywuj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Stwórz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplikuj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importuj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Eksportuj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Drukarka" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Potwierdź Usunięcie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 -#: /mnt/projects/ultimaker/cura/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ąć!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importuj Materiał" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Udało się zaimportować materiał %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Eksportuj Materiał" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Udało się wyeksportować materiał do %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Drukarki" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Zmień nazwę" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Stwórz" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplikuj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Stwórz profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Podaj nazwę tego profilu." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplikuj profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Zmień nazwę profilu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importuj Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Eksportuj Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Drukarka: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Aktualizuj profil z bieżącymi ustawieniami" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Aktualne ustawienia odpowiadają wybranemu profilowi." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Ustawienia ogólne" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Widoczność ustawienia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Zaznacz wszystko" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 -msgctxt "@title:tab" -msgid "General" -msgstr "Ogólny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 -msgctxt "@label" -msgid "Interface" -msgstr "Interfejs" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 -msgctxt "@label" -msgid "Currency:" -msgstr "Waluta:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 -msgctxt "@label" -msgid "Theme:" -msgstr "Motyw:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 -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ć." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Tnij automatycznie podczas zmiany ustawień." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatyczne Cięcie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Zachowanie okna edycji" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Wyświetl zwis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Wyśrodkuj kamerę kiedy przedmiot jest zaznaczony" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Czy domyślne zachowanie zoomu powinno zostać odwrócone?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Odwróć kierunek zoomu kamery." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Czy przybliżanie powinno poruszać się w kierunku myszy?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Przybliżaj w kierunku myszy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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ę?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Upewnij się, że modele są oddzielone" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Automatycznie upuść modele na stół roboczy" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Pokaż wiadomości ostrzegawcze w czytniku g-code." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Wiadomość ostrzegawcza w czytniku g-code" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Czy warstwa powinna być wymuszona w trybie zgodności?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Wymuszenie widoku warstw w trybie zgodności (wymaga ponownego uruchomienia)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Przywróć pozycję okna przy starcie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Jakiego rodzaju kamery należy użyć do renderowania?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Renderowanie z kamery: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Perspektywiczny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Rzut ortograficzny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Otwieranie i zapisywanie plików" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Skaluj duże modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Skaluj bardzo małe modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Czy modele powinny zostać zaznaczone po załadowaniu?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Zaznaczaj modele po załadowaniu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Dodaj przedrostek maszyny do nazwy zadania" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Czy podsumowanie powinno być wyświetlane podczas zapisu projektu?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Pokaż okno podsumowania podczas zapisywaniu projektu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Domyślne zachowanie podczas otwierania pliku projektu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Domyślne zachowanie podczas otwierania pliku projektu: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Zawsze pytaj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Zawsze otwieraj jako projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Zawsze importuj modele" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Zawsze odrzucaj wprowadzone zmiany" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Zawsze przenoś wprowadzone zmiany do nowego profilu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Prywatność" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Sprawdź, dostępność aktualizacji podczas uruchamiania" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Wyślij (anonimowe) informacje o drukowaniu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "Więcej informacji" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "Typ widoku" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Nie podłączono do drukarki" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Drukarka nie akceptuje poleceń" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "W naprawie. Sprawdź drukarkę" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Utracone połączenie z drukarką" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Drukowanie..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Wstrzymano" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Przygotowywanie ..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Usuń wydruk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Anuluj Wydruk" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 -msgctxt "@label:textbox" -msgid "Search settings" -msgstr "Ustawienia wyszukiwania" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Skopiuj wartość do wszystkich ekstruderów" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -msgstr "Skopiuj wszystkie zmienione wartości do wszystkich ekstruderów" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Ukryj tę opcję" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Nie pokazuj tej opcji" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Pozostaw tę opcję widoczną" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -5035,32 +5130,32 @@ msgstr "" "\n" "Kliknij, aby te ustawienia były widoczne." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Wpływać" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Pod wpływem" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5071,7 +5166,7 @@ msgstr "" "\n" "Kliknij, aby przywrócić wartość z profilu." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5082,718 +5177,307 @@ msgstr "" "\n" "Kliknij, aby przywrócić wartość obliczoną." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Ustawienia wyszukiwania" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Ukryj tę opcję" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Nie pokazuj tej opcji" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Widok z przodu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Widok z góry" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Widok z lewej strony" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Widok z prawej strony" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Ekstruder" +msgid "View type" +msgstr "Typ widoku" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Anuluj" +#: /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 "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Podgrzewanie wstępne" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Materiał w głowicy drukującej." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Dysza włożona do tego ekstrudera." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Stół roboczy" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Bieżąca temperatura podgrzewanego stołu." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Kontrola drukarką" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Pozycja Swobodnego Ruchu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Dystans Swobodnego Ruchu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Wyślij G-code" - -#: /mnt/projects/ultimaker/cura/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ę." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Drukarka nie jest podłączona." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 -msgctxt "@label" -msgid "Is printed as support." +msgid "Add printer manually" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "" +msgid "Manufacturer" +msgstr "Producent" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Infill overlapping with this model is modified." +msgid "Profile author" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Overlaps with this model are not supported." +msgid "Printer name" +msgstr "Nazwa drukarki" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" msgstr "" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Edytuj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "&Rozszerzenia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Preferencje" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "P&omoc" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Nowy projekt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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ń." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Ten pakiet zostanie zainstalowany po ponownym uruchomieniu." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ustawienia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instaluj pakiety" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Otwórz plik(i)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" +msgid "Add a printer" msgstr "Dodaj drukarkę" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:240 +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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +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:28 +msgctxt "@label" msgid "What's New" -msgstr "Co nowego" - -#: /mnt/projects/ultimaker/cura/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 "" -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/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 "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Dodaj drukarkę" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Zarządzaj drukarkami" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Podłączone drukarki" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Zdefiniowane drukarki" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Szacunkowy czas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Szacunkowy materiał" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Cięcie..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Nie można pociąć" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Przetwarzanie" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Potnij" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Rozpocznij proces cięcia" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Anuluj" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Szacunkowy czas niedostępny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Szacunkowy koszt niedostępny" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Podgląd" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Zapewnia wsparcie dla podłączania i zapisywania dysków zewnętrznych." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Wtyczka Urządzenia Wyjścia Dysku Zewnętrznego" - -#: 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" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgid "No items to select from" msgstr "" -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Uaktualnia konfiguracje z Cura 4.2 to Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Uaktualnij wersję 4.2 do 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Ulepszenie Wersji z 2.6 do 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Ulepsza konfigurację z Cura 2.5 do Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Ulepszenie Wersji z 2.5 do 2.6" - -#: 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Ulepszenie Wersji z 2.1 do 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Uaktualnia konfiguracje z Cura 4.3 to Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Uaktualnij wersję 4.3 do 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Ulepsza konfigurację z Cura 3.4 do Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Ulepszenie Wersji z 3.4 do 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Ulepszenie Wersji 2.7 do 3.0" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Zapewnia możliwość czytania plików X3D." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Czytnik X3D" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Zapewnia Ustawienia dla Każdego Modelu." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Narzędzie Ustawień dla Każdego Modelu" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Akceptuje G-Code i wysyła je do drukarki. Wtyczka może też aktualizować oprogramowanie." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "Drukowanie USB" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - #: ModelChecker/plugin.json msgctxt "description" msgid "Checks models and print configuration for possible printing issues and give suggestions." @@ -5804,105 +5488,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Sprawdzacz Modelu" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Sprawdź aktualizacje oprogramowania." +msgid "Provides support for reading 3MF files." +msgstr "Zapewnia wsparcie dla czytania plików 3MF." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Sprawdzacz Aktualizacji Oprogramowania" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Tworzy siatkę do blokowania drukowania podpór w określonych miejscach" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Usuwacz Podpór" - -#: 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" - -#: 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 "" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Zapewnia etap przygotowania w Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Etap Przygotowania" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "Czytnik 3MF" #: 3MFWriter/plugin.json msgctxt "description" @@ -5914,65 +5508,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF Writer" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "Zapewnia wsparcie dla czytania plików AMF." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Informacje o cięciu" +msgid "AMF Reader" +msgstr "Czytnik AMF" -#: 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Zapewnia widok Symulacji." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Zapewnia połączenie z tnącym zapleczem CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Widok Symulacji" - -#: 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 "" - -#: 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" - -#: 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" +msgid "CuraEngine Backend" +msgstr "Zaplecze CuraEngine" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5984,15 +5548,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Czytnik Profili Cura" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Zapewnia wsparcie dla zapisywania Pakietów Formatów Ultimaker." +msgid "Provides support for exporting Cura profiles." +msgstr "Zapewnia wsparcie dla eksportowania profili Cura." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "Zapisywacz UFP" +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" @@ -6014,15 +5648,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Czytnik Obrazu" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Utwórz kopię zapasową i przywróć konfigurację." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Zapewnia wsparcie dla importowania profili ze starszych wersji Cura." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Kopie zapasowe Cura" +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" + +#: PerObjectSettingsTool/plugin.json +msgctxt "description" +msgid "Provides the Per Model Settings." +msgstr "Zapewnia Ustawienia dla Każdego Modelu." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Narzędzie Ustawień dla Każdego Modelu" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Zapewnia etap przygotowania w Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Etap Przygotowania" + +#: 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" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Zapewnia wsparcie dla podłączania i zapisywania dysków zewnętrznych." + +#: RemovableDriveOutputDevice/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" +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" +msgstr "Tworzy siatkę do blokowania drukowania podpór w określonych miejscach" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Usuwacz Podpór" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Zapewnia wsparcie dla zapisywania Pakietów Formatów Ultimaker." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Zapisywacz UFP" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Akceptuje G-Code i wysyła je do drukarki. Wtyczka może też aktualizować oprogramowanie." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "Drukowanie USB" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Ulepszenie Wersji z 2.1 do 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Ulepsza konfigurację z Cura 2.5 do Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Ulepszenie Wersji z 2.5 do 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Ulepszenie Wersji z 2.6 do 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Ulepsza konfigurację z Cura 3.4 do Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "Ulepszenie Wersji z 3.4 do 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Uaktualnia konfiguracje z Cura 4.2 to Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Uaktualnij wersję 4.2 do 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Uaktualnia konfiguracje z Cura 4.3 to Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Zapewnia możliwość czytania plików X3D." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Czytnik X3D" + +#: 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" + +#: 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" #~ msgctxt "@label:listbox" #~ msgid "Layer thickness" diff --git a/resources/i18n/pl_PL/fdmextruder.def.json.po b/resources/i18n/pl_PL/fdmextruder.def.json.po index 3da48d4bfe..ddfad4bb62 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 2e1007692a..ab90d10d72 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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" @@ -3200,8 +3200,8 @@ msgstr "Max. Dystans Kombinowania Bez Retrakcji" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Przy wartości niezerowej, kombinowane ruchy jałowe o dystansie większym niż zadany bedą używały retrakcji." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6401,6 +6401,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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Przy wartości niezerowej, kombinowane ruchy jałowe o dystansie większym niż zadany bedą używały retrakcji." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Zastosuj przesunięcie głowicy względem." diff --git a/resources/i18n/pt_BR/cura.po b/resources/i18n/pt_BR/cura.po index 9e47f552a6..b65e8c425c 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-11 17:04+0200\n" "Last-Translator: Cláudio Sampaio \n" "Language-Team: Cláudio Sampaio \n" @@ -17,170 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Carregando máquinas..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Ajustando preferências..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Inicializando Máquina Ativa..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Impressoras de rede disponíveis" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Inicializando gestor de máquinas..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Não sobreposto" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Inicializando volume de impressão..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Configurando cena..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Carregando interface..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Inicializando motor..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Aviso" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Erro" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Tem certeza que deseja remover {0}? Isto não pode ser defeito!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Material Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Desconhecido" +msgid "Visual" +msgstr "Visual" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Material Personalizado" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizado" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Perfis personalizados" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Todos Os Tipos Suportados ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Todos Os Arquivos (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Visual" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Login falhou" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Achando novos lugares para objetos" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engenharia" +#: /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 "Buscando Localização" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Rascunho" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Não Foi Encontrada Localização" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +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: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Impressoras de rede disponíveis" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Não sobreposto" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume de Impressão" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "O Cura não consegue iniciar" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -195,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Enviar relatório de falha à Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Exibir relatório de falha detalhado" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostrar a pasta de configuração" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Salvar e Restabelecer Configuração" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Relatório de Problema" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -231,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informação do Sistema" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Desconhecida" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versão do Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Linguagem do Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Linguagem do SO" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plataforma" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versão do Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versão do PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Ainda não inicializado
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versão da OpenGL: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Fornecedor da OpenGL: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Renderizador da OpenGL: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Traceback do erro" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Registros" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Enviar relatório" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Login falhou" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Carregando máquinas..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Ajustando preferências..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Inicializando Máquina Ativa..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Inicializando gestor de máquinas..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Inicializando volume de impressão..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Configurando cena..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Carregando interface..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Inicializando motor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Aviso" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Erro" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplicando e colocando objetos" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Colocando Objetos" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Não foi possível contactar o servidor de contas da Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "O Arquivo Já Existe" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL de arquivo inválida:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Bico" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ajustes atualizados" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrusor(es) Desabilitado(s)" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Perfil exportado para {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Exportação concluída" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Perfil {0} importado com sucesso." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Perfil personalizado" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Falta um tipo de qualidade ao Perfil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Não há impressora ativa ainda." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Não foi possível adicionar o perfil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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}'." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Achando novos lugares para objetos" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Bico" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Buscando Localização" +msgid "Settings updated" +msgstr "Ajustes atualizados" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Não Foi Encontrada Localização" +msgid "Extruder(s) Disabled" +msgstr "Extrusor(es) Desabilitado(s)" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Grupo #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Pular" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Fechar" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Próximo" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Finalizar" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Parede Externa" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Paredes Internas" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Contorno" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Preenchimento" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Preenchimento de Suporte" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Interface de Suporte" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Suporte" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Skirt (Saia)" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Torre de Prime" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Percurso" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Retrações" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Outros" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Adicionar" +msgid "Next" +msgstr "Próximo" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Cancelar" +msgid "Skip" +msgstr "Pular" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume de Impressão" +msgid "3D Model Assistant" +msgstr "Assistente de Modelo 3D" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -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: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplicando e colocando objetos" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Colocando Objetos" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Colocando Objeto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Salvar em Unidade Removível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Salvar em Unidade Removível {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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!" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Salvando" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Salvo em Unidade Removível {0} como {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Arquivo Salvo" +msgid "Open Project File" +msgstr "Abrir Arquivo de Projeto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Ejetar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Ejetar dispositivo removível {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Remover Hardware com Segurança" +msgid "Can't Open Project File" +msgstr "Não Foi Possível Abrir o Arquivo de Projeto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Unidade Removível" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Arquivo 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Arquivo de Projeto 3MF do Cura" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "Arquivo AMF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Arquivo G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Atualizar Firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Arquivo X3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Recusar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Concordar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Acordo de Licença do Complemento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Recusar e remover da conta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{} complementos falharam em baixar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Sincronizando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Alterações detectadas de sua conta Ultimaker" +msgid "Backups" +msgstr "Backups" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Houve um erro ao transferir seu backup." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Criando seu backup..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizar" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Houve um erro ao criar seu backup." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Ajustes por Modelo" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Enviando seu backup..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Seu backup terminou de ser enviado." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Pós-Processamento" +msgid "Manage backups" +msgstr "Gerenciar backups" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modificar G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Não foi possível fatiar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -895,75 +923,465 @@ msgstr "" "- Estão associados a um extrusor habilitado\n" "- Não estão todos configurados como malhas de modificação" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Informação" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impressão USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimir pela USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimir pela USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Conectado via USB" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impressão em Progresso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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 "Perfil do Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Conectar pela rede" +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "Novos recursos ou consertos de bugs podem estar disponível para sua {machine_name}! Se já não estiver na última versão, é recomendado que atualize o firmware da sua impressora para a versão {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 firmware available" +msgstr "Novo firmware de %s disponível" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Salvando" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Arquivo Salvo" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Ejetar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Remover Hardware com Segurança" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Visão Simulada" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Não há camadas a exibir" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Saiba mais" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "Câmbio de Ativos Digitais COLLADA" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "Binário glTF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "JSON Embutido glTF" + +#: /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/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/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/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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivelar mesa" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Selecionar Atualizações" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Imprimir pela nuvem" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -971,70 +1389,71 @@ msgid_plural "... and {0} others" msgstr[0] "... e {0} outra" msgstr[1] "... e {0} outras" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Impressoras adicionadas da Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Manter configurações da impressora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Remover impressoras" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Remover impressoras?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1050,7 +1469,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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1059,1535 +1478,761 @@ 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Imprimir pela nuvem" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Imprimir pela nuvem" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Conectado pela nuvem" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "amanhã" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "hoje" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Enviando Trabalho de Impressão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Não é host de grupo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurar grupo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Envia e monitora trabalhos de impressão de qualquer lugar usando sua conta Ultimaker." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Conectar à Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Começar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 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." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Erro de impressão" +msgid "Update your printer" +msgstr "Atualize sua impressora" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Erro de rede" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Fila Cheia" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Dados Enviados" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Atualize sua impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Imprime pela rede" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 msgctxt "@info:status" msgid "Connected over the network" msgstr "Conectado pela rede" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Selecionar Atualizações" +msgid "Connect via Network" +msgstr "Conectar pela rede" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Nivelar mesa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recomendado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Abrir Arquivo de Projeto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Não Foi Possível Abrir o Arquivo de Projeto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Arquivo 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Arquivo de G-Code Comprimido" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistente de Modelo 3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "amanhã" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "Novos recursos ou consertos de bugs podem estar disponível para sua {machine_name}! Se já não estiver na última versão, é recomendado que atualize o firmware da sua impressora para a versão {latest_version}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Novo firmware de %s disponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Como atualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Arquivo G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Interpretando G-Code" +msgid "today" +msgstr "hoje" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Detalhes do G-Code" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impressão USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimir pela USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Bloqueador de Suporte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 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." +msgid "Print via USB" +msgstr "Imprimir pela USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Conectado via USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impressão em Progresso" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "Câmbio de Ativos Digitais COLLADA" +msgid "X3D File" +msgstr "Arquivo X3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "Binário glTF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "JSON Embutido glTF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Formato de Triângulos de Stanford" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Câmbio de Ativos Digitais COLLADA Comprimido" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Pacote de Formato da Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Perfis do Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Preparar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Visão de Raios-X" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Erro ao escrever arquivo 3mf." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Arquivo 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Arquivo de Projeto 3MF do Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "O complemento de Escrita 3MF está corrompido." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Pré-visualização" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Visão de Camadas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Visão Simulada" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Nada está exibido porque você precisa fatiar primeiro." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Não há camadas a exibir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Não mostrar essa mensagem novamente" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Ajustes da Máquina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Visão sólida" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Erros de Modelo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Saiba mais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Não foi possível escrever no arquivo UFP:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Imagem JPG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Imagem JPEG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Imagem PNG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Imagem BMP" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Imagem GIF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Houve um erro ao tentar restaurar seu backup." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Backups" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Houve um erro ao transferir seu backup." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Criando seu backup..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Houve um erro ao criar seu backup." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Enviando seu backup..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Seu backup terminou de ser enviado." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "O backup excede o tamanho máximo de arquivo." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gerenciar backups" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Atualizar Firmware" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automaticamente atualizar Firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Carregar Firmware personalizado" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Selecionar firmware personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Atualização do Firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Atualizando firmware." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Atualização do Firmware completada." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Mercado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Alterações da sua conta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Dispensar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Próximo" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirme a desinstalação" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmar" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contribuições da Comunidade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Complementos da Comunidade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiais Genéricos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Última atualização" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marca" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Downloads" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Complementos instalados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Nenhum complemento foi instalado." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiais instalados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Nenhum material foi instalado." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Complementos empacotados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiais empacotados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Sítio Web" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Email" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Entrar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Obtendo pacotes..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilidade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Máquina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Plataforma de Impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Suporte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualidade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Documento de Dados Técnicos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Documento de Dados de Segurança" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Diretrizes de Impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Sítio Web" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Complementos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Instalado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ir ao Mercado Web" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Será instalado ao reiniciar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Atualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Atualizando" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Atualizado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgrade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Desinstalar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Instalado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Buscar materiais" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Sair de %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Voltar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instalar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo de Malha" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modelo normal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimir como suporte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificar ajustes para sobreposições" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Não suportar sobreposições" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Somente malha de preenchimento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Malha de corte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Selecionar ajustes" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Exibir tudo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Complemento de Pós-Processamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts de Pós-Processamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Adicionar um script" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Ajustes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Alterar scripts de pós-processamento ativos." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Enfileirados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gerir no navegador" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Trabalhos de impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tempo total de impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Esperando por" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Alterações de Configuração" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Sobrepor" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Vidro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alumínio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Impressora indisponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primeira disponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Conectar a Impressora de Rede" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Editar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Remover" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Atualizar" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versão do firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Endereço" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Conectar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Endereço IP inválido" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Endereço da Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "Ok" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimir pela rede" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Seleção de impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Mover para o topo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Remover" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Continuar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pausando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Continuando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Abortando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Abortar" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Remover trabalho de impressão" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Abortar impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Abortado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Finalizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Preparando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Abortando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pausando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Pausado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Continuando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Necessária uma ação" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Termina %1 em %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gerir Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Carregando..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Indisponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Inacessivel" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Ocioso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Imprimindo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sem Título" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anônimo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Requer mudanças na configuração" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detalhes" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivelamento da mesa de impressão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Iniciar Nivelamento da Mesa de Impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Mover pra a Posição Seguinte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Abrir Projeto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Atualizar existentes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Criar novos" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Resumo - Projeto do Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Ajustes da impressora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupo de Impressora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Ajustes de perfil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Nome" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Objetivo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Ausente no perfil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 sobreposto" msgstr[1] "%1 sobrepostos" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivado de" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Ajustes de material" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilidade dos ajustes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Ajustes visíveis:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 de %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Carregar um projeto limpará todos os modelos da mesa de impressão." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Abrir" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Quer mais?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Apagar o Backup" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Restaurar Backup" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Backups do Cura" + +#: /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:199 +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 +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/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 "O firmware que já vêm embutido nas novas impressoras funciona, mas novas versões costumam ter mais recursos, correções e melhorias." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Automaticamente atualizar Firmware" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Carregar Firmware personalizado" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Converter imagem..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Altura (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Base (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Largura (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Profundidade (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Mais escuro é mais alto" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Translucidez" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "Transmitância de 1mm (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "Ok" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Impressora" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Ajustes do Bico" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Tamanho do bico" + +#: /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" +msgstr "Diâmetro de material compatível" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Deslocamento X do Bico" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Deslocamento Y do Bico" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Número da Ventoinha de Resfriamento" + +#: /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/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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (largura)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profundidade)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Altura)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma da plataforma de impressão" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origem no centro" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Mesa aquecida" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume de construção aquecido" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Sabor de G-Code" + +#: /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/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X mín." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y mín." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X máx." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y máx." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Altura do Eixo" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Número de Extrusores" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplicar deslocamentos de Extrusão ao G-Code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-Code Inicial" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-Code Final" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2600,1362 +2245,971 @@ msgstr "" "- Verifique se ela está conectada à rede.\n" "- Verifique se você está logado para descobrir impressoras conectadas à nuvem." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Por favor conecte sua impressora à rede." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Ver manuais de usuário online" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Somente malha de preenchimento" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Malha de corte" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Selecionar ajustes" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Mais informações em coleção anônima de dados" +msgid "Select Settings to Customize for this model" +msgstr "Selecionar Ajustes a Personalizar para este modelo" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrar..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Exibir tudo" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Complemento de Pós-Processamento" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Alterar scripts de pós-processamento ativos." + +#: /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] "O seguinte script está ativo:" +msgstr[1] "Os seguintes scripts estão ativos:" + +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Cor do Material" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Tipo de Linha" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Velocidade" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Espessura de Camada" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Largura de Extrusão" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Modo de Compatibilidade" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Percursos" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Assistentes" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Perímetro" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Inícios" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Somente Exibir Camadas Superiores" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Topo / Base" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Parede Interna" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "mín" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "máx" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Ajustes do Bico" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Tamanho do bico" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diâmetro de material compatível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Deslocamento X do Bico" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Deslocamento Y do Bico" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Número da Ventoinha de Resfriamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "G-Code Inicial do Extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "G-Code Final do Extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Ajustes de Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (largura)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profundidade)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Altura)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma da plataforma de impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Origem no centro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Mesa aquecida" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume de construção aquecido" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Sabor de G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Ajustes da Cabeça de Impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X mín." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y mín." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X máx." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y máx." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Altura do Eixo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Número de Extrusores" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplicar deslocamentos de Extrusão ao G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-Code Inicial" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-Code Final" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Converter imagem..." +msgid "More information on anonymous data collection" +msgstr "Mais informações em coleção anônima de dados" -#: /mnt/projects/ultimaker/cura/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\"." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Altura (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Base (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Largura (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Profundidade (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Mais escuro é mais alto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Mais claro é mais alto" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Linear" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Translucidez" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "Transmitância de 1mm (%)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Suavização" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Meus backups" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Quer mais?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Backup Agora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Auto Backup" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versão do Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Máquinas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Complementos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Apagar o Backup" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurar Backup" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Backups do Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoritos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genérico" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "Arquivo (&F)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Salvar Projeto..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportar..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exportar Seleção..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Abrir &Recente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Selecione configuração" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Habilitado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mercado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Carregando configurações disponíveis da impressora..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Ver" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Posição da &câmera" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Visão de câmera" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspectiva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortográfico" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "Plataforma de Impressão (&B)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Impressoras habilitadas pela rede" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Impressoras locais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Ajustes Visíveis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Encolher Todas As Categorias" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gerenciar Visibilidade dos Ajustes..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "Aju&stes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Im&pressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Definir Como Extrusor Ativo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Habilitar Extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Desabilitar Extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Salvar Projeto..." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Número de Cópias" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Abrir Arquivo(s)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Perfis personalizados" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Descartar ajustes atuais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Perfil" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Alguns ajustes/sobreposições têm valores diferentes dos que estão armazenados no perfil.\n" -"\n" -"Clique para abrir o gerenciador de perfis." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "On" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Off" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Experimental" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recomendado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Ajustes de impressão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Preenchimento gradual" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Suporte" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Aderência" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "Sem itens para selecionar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Impressão ativa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Nome do Trabalho" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Tempo de Impressão" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Tempo restante estimado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Descartar ou Manter alterações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"Você personalizou alguns ajustes de perfil.\n" -"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'." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Ajustes de perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Alterações atuais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Sempre perguntar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Descartar e não perguntar novamente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Manter e não perguntar novamente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Descartar alterações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Manter alterações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "Sobre %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "versão: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 é desenvolvido pela Ultimaker B.V. em cooperação com a comunidade.\n" -"Cura orgulhosamente usa os seguintes projetos open-source:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Interface Gráfica de usuário" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Framework de Aplicações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Gerador de G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Biblioteca de comunicação interprocessos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Linguagem de Programação" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "Framework Gráfica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Ligações da Framework Gráfica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Biblioteca de Ligações C/C++" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Formato de Intercâmbio de Dados" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Biblioteca de suporte para computação científica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Biblioteca de suporte para matemática acelerada" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Biblioteca de comunicação serial" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Biblioteca de descoberta 'ZeroConf'" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Biblioteca de recorte de polígonos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Verificador de tipos estáticos para Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Biblioteca de rastreamento de Erros de Python" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Ligações de Python para a libnest2d" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Extensões de python para o Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Fonte" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Ícones SVG" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Abrir arquivo(s)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importar todos como modelos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Salvar Projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extrusor %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Não exibir resumo do projeto ao salvar novamente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Salvar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Abrir arquivo de projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "Recusar enviar dados anônimos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Lembrar minha escolha" +msgid "Allow sending anonymous data" +msgstr "Permitir enviar dados anônimos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Abrir como projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Importar modelos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Sem Título" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Bem-vindo ao Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Começar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vazio" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Nos ajude a melhor o Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipos de máquina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Uso do material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Número de fatias" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Ajustes de impressão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Mais informações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Adicionar impressora por endereço IP" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Adicionar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Não foi possível conectar ao dispositivo." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Voltar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ir ao Mercado Web" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Buscar materiais" + +#: /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:457 +#: /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 +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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiais instalados" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Complementos empacotados" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Conectar a Impressora de Rede" + +#: /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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Adicionar uma impressora" +msgid "Enter the IP address of your printer on the network." +msgstr "Entre o endereço IP da sua impressora na rede." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Adicionar uma impressora de rede" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Adicionar uma impressora local" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "O Que Há de Novo" +msgid "Change material %1 from %2 to %3." +msgstr "Alterar material %1 de %2 para %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Adicionar uma impressora de Nuvem" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Carregar %3 como material %1 (isto não pode ser sobreposto)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Aguardando resposta da Nuvem" +msgid "Change print core %1 from %2 to %3." +msgstr "Alterar núcleo de impressão %1 de %2 para %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Nenhuma impressora encontrada em sua conta?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Alterar mesa de impressão para %1 (Isto não pode ser sobreposto)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 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:" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Adicionar impressora manualmente" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Imprimir pela rede" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimir" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Criar uma conta Ultimaker gratuita" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Pular" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Contrato de Usuário" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rejeitar e fechar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notas de lançamento" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Atualizar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Adicionar impressora por IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Adicionar impressora de nuvem" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Resolução de problemas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor do perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Nome da impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Por favor dê um nome à sua impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Última atualização: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Conta na Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Deslogar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3966,935 +3220,1921 @@ msgstr "" "- 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Entrar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "Verificando..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Conta sincronizada" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Alguma coisa deu errado..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Instalação aguardando atualizações" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "Verificar atualizações da conta" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista de objetos" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Última atualização: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Conta na Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Fatiando..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Não foi possível fatiar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Processando" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Fatiar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Inicia o processo de fatiamento" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Alternar Tela Cheia" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Sair da Tela Cheia" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "Desfazer (&U)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&Refazer" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "Sair (&Q)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "Visão &3D" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Visão Frontal" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Visão Superior" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Visão do Lado Esquerdo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Visão do Lado Direito" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Configurar Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "&Adicionar Impressora..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Adm&inistrar Impressoras..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Administrar Materiais..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Adicionar mais materiais do Mercado" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "At&ualizar perfil com valores e sobreposições atuais" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "&Descartar ajustes atuais" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "&Criar perfil a partir de ajustes/sobreposições atuais..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Administrar perfis..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Exibir &Documentação Online" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "Relatar um &Bug" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Novidades" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "Sobre..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Remover Selecionados" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Centralizar Selecionados" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Multiplicar Selecionados" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Remover Modelo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "Ce&ntralizar Modelo na Mesa" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "A&grupar Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Desagrupar Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "Co&mbinar Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "&Multiplicar Modelo..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Selecionar Todos Os Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Esvaziar a Mesa de Impressão" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Recarregar Todos Os Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Posicionar Todos os Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Posicionar Seleção" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Reestabelecer as Posições de Todos Os Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Remover as Transformações de Todos Os Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "Abrir Arquiv&o(s)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&Novo Projeto..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Exibir Pasta de Configuração" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Configurar a visibilidade dos ajustes..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&Mercado" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ajustes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Atual" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unidade" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informação" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmar Mudança de Diâmetro" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Exibir Nome" +msgid "This package will be installed after restarting." +msgstr "Este pacote será instalado após o reinício." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo de Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Cor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propriedades" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densidade" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diâmetro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Custo do Filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso do Filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Comprimento do Filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Custo por Metro" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Desvincular Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descrição" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informação sobre Aderência" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Ativar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Criar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplicar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exportar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmar Remoção" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importar Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Material %1 importado com sucesso" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportar Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Material exportado para %1 com sucesso" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Impressoras" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Renomear" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Criar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplicar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Criar Perfil" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplicar Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Renomear Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importar Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportar Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Impressora: %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Ajustes globais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilidade dos Ajustes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Verificar tudo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "Geral" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ajustes" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Impressoras" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Perfis" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Fechando %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +msgctxt "@title:window" +msgid "Open file(s)" +msgstr "Abrir arquivo(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instalar Pacote" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Abrir Arquivo(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Adicionar Impressora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Novidades" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "Interface" +msgid "version: %1" +msgstr "versão: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "Moeda:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "Solução completa para impressão 3D com filamento fundido." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 é 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 msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" +msgid "Graphical user interface" +msgstr "Interface Gráfica de usuário" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 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." +msgid "Application framework" +msgstr "Framework de Aplicações" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Fatiar automaticamente quando mudar ajustes." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Fatiar automaticamente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportamento da área de visualização" +msgid "G-code generator" +msgstr "Gerador de G-Code" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "Biblioteca de comunicação interprocessos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Exibir seções pendentes" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "Linguagem de Programação" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "Framework Gráfica" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Exibir erros de modelo" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Ligações da Framework Gráfica" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "Biblioteca de Ligações C/C++" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Biblioteca de comunicação serial" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Biblioteca de recorte de polígonos" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Fonte" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Abrir arquivo de projeto" + +#: /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 "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/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 msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centralizar câmera quanto o item é selecionado" +msgid "Open as project" +msgstr "Abrir como projeto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "O comportamento default de ampliação deve ser invertido?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Inverter a direção da ampliação de câmera." +msgid "Import models" +msgstr "Importar modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Descartar ou Manter alterações" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"Você personalizou alguns ajustes de perfil.\n" +"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'." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Ajustes de perfil" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Alterações atuais" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" +msgid "Always ask me this" +msgstr "Sempre perguntar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +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:160 +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:197 msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Ampliar na direção do mouse" +msgid "Discard changes" +msgstr "Descartar alterações" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Manter alterações" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Assegurar que os modelos sejam mantidos separados" +#: /home/trin/Gedeeld/Projects/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 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Importar todos como modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -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/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Salvar Projeto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -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/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extrusor %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -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/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & material" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -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/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -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/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Não exibir resumo do projeto ao salvar novamente" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -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/Dialogs/WorkspaceSummaryDialog.qml:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Salvar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -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/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Sem Título" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Renderização de câmera:" +#: /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)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensões" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referências" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "Ajuda (&H)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Novo projeto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Selecione configuração" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 +msgctxt "@action:inmenu menubar:view" msgid "Orthographic" -msgstr "Ortográfica" +msgstr "Ortográfico" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Abrindo e salvando arquivos" +#: /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)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Usar uma única instância do Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Redimensionar modelos grandes" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Redimensionar modelos minúsculos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Os modelos devem ser selecionados após serem carregados?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Selecionar modelos ao carregar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Adicionar prefixo de máquina ao nome do trabalho" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Exibir diálogo de resumo ao salvar projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportamento default ao abrir um arquivo de projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportamento default ao abrir um arquivo de projeto: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Sempre me perguntar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Sempre abrir como projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Sempre importar modelos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Sempre descartar alterações da configuração" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Sempre transferir as alterações para o novo perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacidade" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Verificar atualizações na inicialização" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Enviar informação (anônima) de impressão" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "Mais informações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "Tipo de Visão" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Imprimindo..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "Pausado" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Preparando..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Abortar Impressão" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Está impresso como suporte." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Interface" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Moeda:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Fatiar automaticamente" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportamento da área de visualização" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Exibir seções pendentes" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Exibir erros de modelo" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Renderização de câmera:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspectiva" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Ortográfica" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Abrindo e salvando arquivos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +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:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Redimensionar modelos grandes" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Redimensionar modelos minúsculos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +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:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Selecionar modelos ao carregar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Sempre me perguntar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Sempre abrir como projeto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Sempre importar modelos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +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:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacidade" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +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:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Mais informações" + +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Impressora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importar Material" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportar Material" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Ajustes de busca" +msgid "Check all" +msgstr "Verificar tudo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Copiar valor para todos os extrusores" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrusor" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Ocultar este ajuste" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Não exibir este ajuste" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Manter este ajuste visível" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Adicionar impressora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Impressão ativa" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Tempo de Impressão" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Perfil" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Alguns ajustes/sobreposições têm valores diferentes dos que estão armazenados no perfil.\n" +"\n" +"Clique para abrir o gerenciador de perfis." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimental" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Preenchimento gradual" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Suporte" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4905,32 +5145,32 @@ msgstr "" "\n" "Clique para tornar estes ajustes visíveis." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Afeta" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Afetado Por" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Este ajuste é resolvido dos valores conflitante específicos de extrusor:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4941,7 +5181,7 @@ msgstr "" "\n" "Clique para restaurar o valor do perfil." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4952,714 +5192,306 @@ msgstr "" "\n" "Clique para restaurar o valor calculado." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Ajustes de busca" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Ocultar este ajuste" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +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:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Viso de Frente" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Visão de Cima" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Visão à Esquerda" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Visão à Direita" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extrusor" +msgid "View type" +msgstr "Tipo de Visão" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Adicionar uma impressora de Nuvem" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Aguardando resposta da Nuvem" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Nenhuma impressora encontrada em sua conta?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Cancelar" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Pré-aquecer" +msgid "Add printer manually" +msgstr "Adicionar impressora manualmente" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "O material neste extrusor." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "O bico inserido neste extrusor." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Mesa de Impressão" +msgid "Manufacturer" +msgstr "Fabricante" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "A temperatura atual da mesa aquecida." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Controle da Impressora" +msgid "Profile author" +msgstr "Autor do perfil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Posição de Trote" +msgid "Printer name" +msgstr "Nome da impressora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Adicionar uma impressora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Adicionar uma impressora de rede" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Distância de Trote" +msgid "Add a non-networked printer" +msgstr "Adicionar uma impressora local" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "Enviar G-Code" +msgid "There is no printer found over your network." +msgstr "Não foi encontrada nenhuma impressora em sua rede." -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "A impressora não está conectada." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "Está impresso como suporte." +msgid "Refresh" +msgstr "Atualizar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Outros modelos se sobrepondo a esse modelo foram modificados." +msgid "Add printer by IP" +msgstr "Adicionar impressora por IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Preenchimento se sobrepondo a este modelo foi modificado." +msgid "Add cloud printer" +msgstr "Adicionar impressora de nuvem" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Sobreposições neste modelo não são suportadas." +msgid "Troubleshooting" +msgstr "Resolução de problemas" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mercado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Editar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensões" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referências" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "Ajuda (&H)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Novo projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Este pacote será instalado após o reinício." +msgid "Add printer by IP address" +msgstr "Adicionar impressora por endereço IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ajustes" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Fechando %1" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Adicionar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -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/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Não foi possível conectar ao dispositivo." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instalar Pacote" +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Abrir Arquivo(s)" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Adicionar Impressora" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Voltar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Criar uma conta Ultimaker gratuita" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Pular" + +#: /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:28 +msgctxt "@label" msgid "What's New" -msgstr "Novidades" +msgstr "O Que Há de Novo" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Adicionar impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gerenciar impressoras" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Impressoras conectadas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Impressoras pré-ajustadas" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimativa de tempo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimativa de material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Fatiando..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Não foi possível fatiar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Processando" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Fatiar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Inicia o processo de fatiamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Cancelar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Sem estimativa de tempo disponível" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Sem estimativa de custo disponível" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Pré-visualização" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Provê suporte a escrita e reconhecimento de drives a quente." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Complemento de Dispositivo de Escrita Removível" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Atualiza configurações do Cura 4.2 para o Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Atualização de Versão de 4.2 para 4.3" - -#: 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/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 4.0 para 4.1" - -#: VersionUpgrade/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Atualização de Versão de 2.6 para 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Atualiza configurações do Cura 2.5 para o Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Atualização de Versão de 2.5 para 2.6" - -#: 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 4.1 para 4.2" - -#: VersionUpgrade/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Atualização de Versão de 2.1 para 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Atualiza configurações do Cura 4.3 para o Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Atualização de Versão de 4.3 para 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Atualiza configurações do Cura 3.4 para o Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Atualização de Versão de 3.4 para 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Atualização de Versão de 2.7 para 3.0" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Provê suporte à leitura de arquivos X3D." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Leitor de X3D" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Provê Ajustes Por Modelo." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Ferramenta de Ajustes Por Modelo" - -#: 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" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Aceita G-Code e o envia a uma impressora. O complemento também pode atualizar o firmware." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "Impressão USB" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" +msgid "No items to select from" +msgstr "Sem itens para selecionar" #: ModelChecker/plugin.json msgctxt "description" @@ -5671,105 +5503,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Verificador de Modelo" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Verifica por atualizações de firmware." +msgid "Provides support for reading 3MF files." +msgstr "Provê suporte à leitura de arquivos 3MF." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Verificador de Atualizações de Firmware" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Cria uma malha apagadora para bloquear a impressão de suporte em certos lugares" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Apagador de Suporte" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Provê um estágio de preparação no Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Estágio de Preparação" - -#: 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" - -#: 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" +msgid "3MF Reader" +msgstr "Leitor de 3MF" #: 3MFWriter/plugin.json msgctxt "description" @@ -5781,65 +5523,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "Gerador de 3MF" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "Provê suporta à leitura de arquivos AMF." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Informação de fatiamento" +msgid "AMF Reader" +msgstr "Leitor AMF" -#: 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Provê a Visão Simulada." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Provê a ligação ao backend de fatiamento CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Visão Simulada" - -#: 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" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "CuraEngine Backend" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5851,15 +5563,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Leitor de Perfis do Cura" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Provê suporte para a escrita de Ultimaker Format Packages (Pacotes de Formato da Ultimaker)." +msgid "Provides support for exporting Cura profiles." +msgstr "Provê suporte à exportação de perfis do Cura." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "Gerador de UFP" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -5881,15 +5663,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Leitor de Imagens" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Permite backup e restauração da configuração." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Provê suporte a importação de perfis de versões legadas do Cura." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Backups Cura" +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" + +#: PerObjectSettingsTool/plugin.json +msgctxt "description" +msgid "Provides the Per Model Settings." +msgstr "Provê Ajustes Por Modelo." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Ferramenta de Ajustes Por Modelo" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Provê um estágio de preparação no Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Estágio de Preparação" + +#: 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" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Provê suporte a escrita e reconhecimento de drives a quente." + +#: RemovableDriveOutputDevice/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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Cria uma malha apagadora para bloquear a impressão de suporte em certos lugares" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Apagador de Suporte" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Provê suporte para a escrita de Ultimaker Format Packages (Pacotes de Formato da Ultimaker)." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Gerador de UFP" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Aceita G-Code e o envia a uma impressora. O complemento também pode atualizar o 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 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 de Versão de 2.1 para 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Atualiza configurações do Cura 2.5 para o Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +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 +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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Atualização de Versão de 2.6 para 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Atualiza configurações do Cura 3.4 para o Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +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 +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" + +#: 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 4.0 para 4.1" + +#: 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 4.1 para 4.2" + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Atualiza configurações do Cura 4.2 para o Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Atualização de Versão de 4.2 para 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Atualiza configurações do Cura 4.3 para o Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Provê suporte à leitura de arquivos X3D." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Leitor de X3D" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." @@ -6728,8 +6940,7 @@ msgstr "Backups Cura" #~ "\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 676d054896..0ade4ddd02 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 7cc5ca26f0..fd629b1b05 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-11 17:33+0200\n" "Last-Translator: Cláudio Sampaio \n" "Language-Team: Cláudio Sampaio \n" @@ -3201,8 +3201,8 @@ msgstr "Máxima Distância de Combing Sem Retração" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Quando não-zero, os movimentos de percurso de combing que são maiores que esta distância usarão retração." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6402,6 +6402,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Quando não-zero, os movimentos de percurso de combing que são maiores que esta distância usarão retração." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Aplicar o deslocamento do extrusor ao sistema de coordenadas." diff --git a/resources/i18n/pt_PT/cura.po b/resources/i18n/pt_PT/cura.po index 841b5930c5..f2e906db96 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 14:56+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Portuguese , Paulo Miranda , Portuguese \n" @@ -17,174 +17,183 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "A carregar máquinas..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "A configurar as preferências..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "A Inicializar a Máquina Ativa..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Impressoras em rede disponíveis" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "A inicializar o gestor das máquinas..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Manter" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "A inicializar o volume de construção..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "A configurar cenário..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "A carregar interface..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "A inicializar o motor..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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? -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Aviso" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Erro" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Tem a certeza de que pretende remover {0}? Esta ação não pode ser anulada!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Material Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Desconhecido" +msgid "Visual" +msgstr "Acabamento" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Material Personalizado" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizado" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Perfis personalizados" # rever! # contexto -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Todos os Formatos Suportados ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Todos os Ficheiros (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Acabamento" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Falha no início de sessão" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "A procurar nova posição para os objetos" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "A Procurar Posição" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Rascunho" +# rever! +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Não é Possível Posicionar" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +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: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Impressoras em rede disponíveis" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Manter" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume de construção" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Não é possível iniciar o Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -201,32 +210,32 @@ msgstr "" # rever! # button size? -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Enviar relatório de falhas para a Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Mostrar relatório de falhas detalhado" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostrar pasta de configuração" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Backup e Repor a Configuração" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Relatório de Falhas" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -237,663 +246,682 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informações do sistema" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Desconhecido" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versão do Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Idioma do Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Idioma do Sistema Operativo" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plataforma" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versão Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versão PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Ainda não inicializado
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versão do OpenGL: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Vendedor do OpenGL: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Processador do OpenGL: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Determinação da origem do erro" # rever! # Registos? -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Relatórios" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Enviar relatório" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Falha no início de sessão" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "A carregar máquinas..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "A configurar as preferências..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "A Inicializar a Máquina Ativa..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "A inicializar o gestor das máquinas..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "A inicializar o volume de construção..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "A configurar cenário..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "A carregar interface..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "A inicializar o motor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Aviso" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Erro" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplicar e posicionar objetos" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "A posicionar objetos" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Não é possível aceder ao servidor da conta Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "O Ficheiro Já Existe" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL de ficheiro inválido:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Nozzle" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Definições atualizadas" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrusor(es) desativado(s)" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Perfil exportado para {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Exportação bem-sucedida" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Perfil {0} importado com êxito." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Perfil personalizado" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "O perfil não inclui qualquer tipo de qualidade." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Ainda não existe qualquer impressora ativa." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Não é possível adicionar o perfil." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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}'." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "A procurar nova posição para os objetos" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Nozzle" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "A Procurar Posição" +msgid "Settings updated" +msgstr "Definições atualizadas" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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! -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Não é Possível Posicionar" +msgid "Extruder(s) Disabled" +msgstr "Extrusor(es) desativado(s)" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Grupo #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Ignorar" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Fechar" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Seguinte" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Concluir" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Parede Exterior" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Paredes Interiores" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Revestimento" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Enchimento" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Enchimento dos Suportes" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Interface dos Suportes" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Suportes" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Contorno" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Torre de preparação" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Deslocação" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Retrações" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Outro" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Adicionar" +msgid "Next" +msgstr "Seguinte" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Cancelar" +msgid "Skip" +msgstr "Ignorar" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume de construção" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -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: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplicar e posicionar objetos" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "A posicionar objetos" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "A Posicionar Objeto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Guardar no Disco Externo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Guardar no Disco Externo {0}" +msgid "3D Model Assistant" +msgstr "Assistente de Modelos 3D" # rever! -# contexto -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, 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}" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "A Guardar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Guardado no Disco Externo {0} como {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Ficheiro Guardado" +msgid "Open Project File" +msgstr "Abrir ficheiro de projeto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Ejetar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Ejetar Disco Externo {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Remover Hardware de forma segura" +msgid "Can't Open Project File" +msgstr "Não é possível abrir o ficheiro de projeto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Disco Externo" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Ficheiro 3MF" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Ficheiro 3MF de Projeto Cura" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "Ficheiro AMF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Ficheiro G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Atualizar firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Ficheiro X3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Rejeitar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Concordar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Contrato de licença do plug-in" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Rejeitar e remover da conta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "Falhou a transferência de {} plug-ins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "A sincronizar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Foram detetadas alterações da sua conta Ultimaker" +msgid "Backups" +msgstr "Cópias de segurança" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +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." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "A criar a cópia de segurança..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizar" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Definições Por-Modelo" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "A carregar a sua cópia de segurança..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "A cópia de segurança terminou o seu carregamento." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Pós-Processamento" +msgid "Manage backups" +msgstr "Gerir cópias de segurança" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modificar G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Não é possível Seccionar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -906,75 +934,467 @@ msgstr "" "- Estão atribuídos a uma extrusora ativada\n" "- Não estão todos definidos como objetos modificadores" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Informações" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impressão USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimir por USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimir por USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Ligado via USB" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impressão em curso" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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 "Perfil Cura" -#: /mnt/projects/ultimaker/cura/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/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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, 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 {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 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s firmware available" +msgstr "Novo firmware para %s está disponível" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "A Guardar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Ficheiro Guardado" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Ejetar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Ejetar Disco Externo {0}" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Remover Hardware de forma segura" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Visualização por Camadas" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Sem camadas para visualizar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Saber mais" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/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 "Arquivo Ultimaker Format" + +#: /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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivelar base de construção" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Selecionar atualizações" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "Ligada através da cloud" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -982,70 +1402,71 @@ msgid_plural "... and {0} others" msgstr[0] "... e {0} outra" msgstr[1] "... e {0} outras" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Impressoras adicionadas a partir da Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Manter configurações da impressora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Remover impressoras" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Remover impressoras?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1061,1544 +1482,772 @@ 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Imprimir através da cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Imprimir através da cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Ligada através da cloud" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "amanhã" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "hoje" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "A enviar trabalho de impressão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Não é Host do grupo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurar grupo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Envie e monitorize trabalhos de impressão a partir de qualquer lugar através da sua conta Ultimaker." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Ligar à Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Iniciar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Aguarde até o trabalho atual ter sido enviado." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Erro de impressão" +msgid "Update your printer" +msgstr "Atualizar a impressora" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Erro de rede" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Fila cheia" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Dados Enviados" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Atualizar a impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Selecionar atualizações" +msgid "Connect via Network" +msgstr "Ligar Através da Rede" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Nivelar base de construção" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recomendado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Abrir ficheiro de projeto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Não é possível abrir o ficheiro de projeto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Ficheiro 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Ficheiro G-code comprimido" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistente de Modelos 3D" - -# rever! -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "amanhã" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, 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 {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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Novo firmware para %s está disponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Como atualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Ficheiro G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "A analisar G-code" +msgid "today" +msgstr "hoje" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Detalhes do G-code" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impressão USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimir por USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Remover Suportes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 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." +msgid "Print via USB" +msgstr "Imprimir por USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Ligado via USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impressão em curso" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "Ficheiro X3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Arquivo Ultimaker Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Perfis Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Preparar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitorizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Vista Raio-X" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Erro ao gravar ficheiro 3mf." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Ficheiro 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Ficheiro 3MF de Projeto Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "O plug-in Gravador 3MF está danificado." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Pré-visualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Vista Camadas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Visualização por Camadas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Sem camadas para visualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Não mostrar esta mensagem novamente" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Definições da Máquina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Vista Sólidos" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Erros no modelo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Saber mais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Não é possível escrever no ficheiro UFP:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Prepare um G-code antes de exportar." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Imagem JPG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Imagem JPEG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Imagem PNG" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Imagem BMP" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Imagem GIF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Cópias de segurança" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "A criar a cópia de segurança..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "A carregar a sua cópia de segurança..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "A cópia de segurança terminou o seu carregamento." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gerir cópias de segurança" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Atualizar firmware" - -# rever! -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Atualizar firmware automaticamente" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Carregar firmware personalizado" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Selecionar firmware personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Atualização de firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "A atualizar firmware." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Atualização de firmware concluída." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Mercado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Alterações feitas desde a sua conta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Descartar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Seguinte" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirmar desinstalação" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmar" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contribuições comunitárias" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Plug-ins comunitários" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiais genéricos" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Actualizado em" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marca" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Transferências" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Plug-ins instalados" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiais instalados" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Não foi instalado qualquer material." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Plug-ins em pacote" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiais em pacote" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Site" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Iniciar sessão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "A obter pacotes..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilidade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Máquina" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Base de construção" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Suportes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualidade" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Ficha técnica" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Ficha de segurança" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Instruções de impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Site" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plug-ins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Instalado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ir para Mercado na Web" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Será instalado após reiniciar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Atualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "A Actualizar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Atualizado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Repor Versão Anterior" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Desinstalar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Instalado" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Procurar materiais" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Sair %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Anterior" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instalar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo de Objecto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modelo normal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimir como suporte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificar definições para sobreposições" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Não suportar sobreposições" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Apenas objeto de enchimento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Malha de corte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Selecionar definições" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mostrar tudo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plug-in de pós-processamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts de pós-processamento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Adicionar um script" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Definições" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Altere os scripts de pós-processamento." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Em fila" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gerir no browser" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Trabalhos em Impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tempo de impressão total" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "A aguardar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Alterações na configuração" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Ignorar" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Vidro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alumínio" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Impressora indisponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primeira disponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Ligar a uma Impressora em Rede" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Editar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Remover" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Atualizar" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versão de Firmware" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Endereço" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Ligar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Endereço IP inválido" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Introduza um endereço IP válido." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Endereço da Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimir Através da Rede" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Seleção de Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Mover para o topo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Eliminar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Retomar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "A colocar em pausa..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "A recomeçar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Colocar em pausa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "A cancelar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Cancelar" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Eliminar trabalho de impressão" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Cancelar impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Cancelado" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Impressão terminada" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "A preparar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "A cancelar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "A colocar em pausa..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Em Pausa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "A recomeçar..." - -# rever! -# ver contexto! -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Ação necessária" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Termina %1 a %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gerir impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "A carregar..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Indisponível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Inacessível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Inativa" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "A Imprimir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sem título" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anónimo" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Requer alterações na configuração" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detalhes" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivelamento da Base de Construção" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Iniciar Nivelamento da base de construção" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Avançar para Posição Seguinte" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Abrir Projeto" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Atualizar existente" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Criar nova" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Resumo – Projeto Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Definições da impressora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupo da Impressora" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Definições do perfil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Nome" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Inexistente no perfil" # rever! # contexto?! -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 substituição" msgstr[1] "%1 substituições" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivado de" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Definições de material" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilidade das definições" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modo" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Definições visíveis:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 de %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Abrir um projeto irá apagar todos os modelos na base de construção." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Abrir" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Deseja mais?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +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:100 +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:108 +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:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cópias de segurança do Cura" + +#: /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:199 +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 +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/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 "O firmware que é expedido com as novas impressoras funciona corretamente, mas as novas versões costumam ter mais funcionalidades e melhorias." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Atualizar firmware automaticamente" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Carregar firmware personalizado" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Converter imagem..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Altura (mm)" + +# rever! +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Base (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Largura (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Profundidade (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Mais escuro é mais alto" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Translucidez" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "(%) transmitância de 1 mm" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Impressora" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Definições do nozzle" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Tamanho do nozzle" + +#: /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" +msgstr "Diâmetro do material compatível" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Desvio X do Nozzle" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Desvio Y do Nozzle" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Número de ventoinha de arrefecimento" + +#: /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/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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Largura)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profundidade)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Altura)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma da base de construção" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origem no centro" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Base aquecida" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume de construção aquecido" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Variante do G-code" + +#: /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/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X mín" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y mín" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X máx" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y máx" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Altura do pórtico" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Número de Extrusores" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplicar desvios da extrusora ao GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-code inicial" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-code final" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2611,102 +2260,182 @@ msgstr "" "- Verifique se a impressora está ligada à rede.\n" "- Verifique se tem sessão iniciada para encontrar impressoras ligadas através da cloud." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Ligue a impressora à sua rede." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Ver manuais do utilizador online" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Apenas objeto de enchimento" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Malha de corte" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Selecionar definições" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Mais informações sobre a recolha anónima de dados" +msgid "Select Settings to Customize for this model" +msgstr "Selecionar definições a personalizar para este modelo" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrar..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mostrar tudo" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Plug-in de pós-processamento" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Altere os scripts de pós-processamento." + +#: /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] "O script a seguir está ativo:" +msgstr[1] "Os seguintes scripts estão ativos:" + +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Cor do Material" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Tipo de Linha" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Velocidade" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Espessura da Camada" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Diâmetro da Linha" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Modo Compatibilidade" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Deslocações" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Auxiliares" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Invólucro" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "A Iniciar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Só Camadas Superiores" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 msgctxt "@label" msgid "Show 5 Detailed Layers On Top" msgstr "5 Camadas Superiores Detalhadas" @@ -2714,1269 +2443,793 @@ msgstr "5 Camadas Superiores Detalhadas" # rever! # todas as strings com a frase # Topo / Base ?? -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Superior / Inferior" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Parede Interior" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "mín" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "máx" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Definições do nozzle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Tamanho do nozzle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diâmetro do material compatível" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Desvio X do Nozzle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Desvio Y do Nozzle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Número de ventoinha de arrefecimento" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "G-code inicial do extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "G-code final do extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Definições da impressora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Largura)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profundidade)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Altura)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma da base de construção" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Origem no centro" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Base aquecida" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume de construção aquecido" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Variante do G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Definições da cabeça de impressão" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X mín" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y mín" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X máx" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y máx" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Altura do pórtico" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Número de Extrusores" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplicar desvios da extrusora ao GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-code inicial" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-code final" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Converter imagem..." +msgid "More information on anonymous data collection" +msgstr "Mais informações sobre a recolha anónima de dados" -#: /mnt/projects/ultimaker/cura/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\"" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Altura (mm)" - -# rever! -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Base (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Largura (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Profundidade (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Mais escuro é mais alto" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Mais claro é mais alto" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Linear" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Translucidez" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "(%) transmitância de 1 mm" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Suavização" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "As minhas cópias de segurança" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Deseja mais?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Efetuar cópia de segurança agora" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Efetuar cópia de segurança automaticamente" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versão do Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Máquinas" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiais" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plug-ins" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Eliminar cópia de segurança" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurar cópia de segurança" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cópias de segurança do Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoritos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genérico" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Ficheiro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Guardar projeto..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportar..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exportar seleção..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Abrir &Recente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Selecionar configuração" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Ativado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mercado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "A carregar as configurações disponíveis da impressora..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Visualizar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Posição da câmara" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Vista da câmara" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspetiva" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortográfica" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Base de construção" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Impressoras em rede" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Impressoras locais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Definições Visíveis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Fechar todas as categorias" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gerir Visibilidade das Definições..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Definições" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Definir como Extrusor Ativo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Ativar Extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Desativar Extrusor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Guardar projeto..." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Número de Cópias" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Abrir ficheiro(s)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Perfis personalizados" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Descartar alterações atuais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Perfil" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Alguns valores de definição/substituição são diferentes dos valores armazenados no perfil.\n" -"\n" -"Clique para abrir o gestor de perfis." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Ligado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Desligado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Experimental" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recomendado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Definições de impressão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Enchimento gradual" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Suportes" - -# rever! -# collapse ? -# desmoronar? desabar? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Aderência à Base de Construção" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "Nenhum item para selecionar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Impressão ativa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Nome do trabalho" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Tempo de Impressão" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Tempo restante estimado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Descartar ou Manter as alterações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"Personalizou algumas definições de perfil.\n" -"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'." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Definições do perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Alterações atuais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Perguntar sempre isto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Descartar e não perguntar novamente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Manter e não perguntar novamente" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Descartar alterações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Manter alterações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "Acerca de %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "versão: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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 "" -"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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Interface gráfica do utilizador" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Framework da aplicação" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Gerador de G-code" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Biblioteca de comunicação interprocessual" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Linguagem de programação" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI framework" - -# rever! -# use eng programing terms? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Ligações de estrutura da GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "Biblioteca de ligações C/C++" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Formato de intercâmbio de dados" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Biblioteca de apoio para computação científica" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Biblioteca de comunicação em série" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Biblioteca de deteção ZeroConf" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Biblioteca de recortes de polígonos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Verificador de tipo estático para Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Biblioteca de controlo de erros de Python" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Ligações Python para libnest2d" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Extensões Python para Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Tipo de letra" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Ícones SVG" - -# rever! -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Abrir ficheiro(s)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importar tudo como modelos 3D" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Guardar projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extrusor %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Não mostrar novamente o resumo do projeto ao guardar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Guardar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Abrir ficheiro de projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "Não pretendo enviar dados anónimos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Memorizar a minha escolha" +msgid "Allow sending anonymous data" +msgstr "Permitir o envio de dados anónimos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Abrir como projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Importar modelos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Sem título" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Bem-vindo ao Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Iniciar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vazio" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ajude-nos a melhorar o Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipos de máquina" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Utilização do material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Número de segmentos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Definições de impressão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Mais informações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Adicionar impressora por endereço IP" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Adicionar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Não foi possível ligar ao dispositivo." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Anterior" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ir para Mercado na Web" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Procurar materiais" + +#: /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:457 +#: /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 +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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiais instalados" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Plug-ins em pacote" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Ligar a uma Impressora em Rede" + +#: /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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Adicionar uma impressora" +msgid "Enter the IP address of your printer on the network." +msgstr "Introduza o endereço IP da sua impressora na rede." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Adicionar uma impressora em rede" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Adicionar uma impressora sem rede" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "Novidades" +msgid "Change material %1 from %2 to %3." +msgstr "Alterar o material %1 de %2 para %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Adicionar uma impressora de cloud" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Carregar %3 como material %1 (isto não pode ser substituído)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "A aguardar resposta da cloud" +msgid "Change print core %1 from %2 to %3." +msgstr "Substituir o print core %1 de %2 para %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Não foram encontradas impressoras na sua conta?" +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)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 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:" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Adicionar impressora manualmente" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Imprimir Através da Rede" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimir" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Crie uma Conta Ultimaker gratuita" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Ignorar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Contrato de utilizador" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rejeitar e fechar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notas da versão" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Atualizar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Adicionar impressora por IP" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Adicionar impressora de cloud" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Resolução de problemas" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricante" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor do perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Nome da impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Atribuir um nome à impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Atualização mais recente: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Conta Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Terminar sessão" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3987,945 +3240,1943 @@ msgstr "" "- 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Iniciar sessão" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "A verificar..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Conta sincronizada" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Ocorreu um problema..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Instalar atualizações pendentes" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "Verificar atualizações de conta" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista de objetos" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Atualização mais recente: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Conta Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "A Seccionar..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Não é possível seccionar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "A processar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Segmentação" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Iniciar o processo de segmentação" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Alternar para ecrã inteiro" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Sair do Ecrã Inteiro" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "&Desfazer" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&Refazer" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "&Sair" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "Vista 3D" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Vista Frente" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Vista Cima" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Vista Lado Esquerdo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Vista Lado Direito" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Configurar Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "&Adicionar Impressora..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Gerir Im&pressoras..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Gerir Materiais..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Use o Mercado para adicionar outros materiais" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "&Atualizar perfil com as definições/substituições atuais" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "&Descartar alterações atuais" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "&Criar perfil a partir das definições/substituições atuais..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Gerir Perfis..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Mostrar &documentação online" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "Reportar um &erro" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Novidades" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "Sobre..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Apagar seleção" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Centrar seleção" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Multiplicar seleção" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Apagar Modelo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "Ce&ntrar Modelo na Base" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "&Agrupar Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Desagrupar Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "&Combinar Modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "&Multiplicar Modelo..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Selecionar todos os modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Limpar base de construção" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Recarregar todos os modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Dispor todos os modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Dispor seleção" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Repor todas as posições de modelos" # rever! # Cancelar todas? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Repor Todas as Transformações do Modelo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "&Abrir Ficheiro(s)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&Novo Projeto..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Mostrar pasta de configuração" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Configurar visibilidade das definições..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&Mercado" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Definição" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Atual" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unidade" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informações" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmar Alteração de Diâmetro" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Nome" +msgid "This package will be installed after restarting." +msgstr "Este pacote será instalado após reiniciar." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo de Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Cor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propriedades" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densidade" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diâmetro" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Custo do Filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso do Filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Comprimento do filamento" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Custo por Metro" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Desassociar Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descrição" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informações de Aderência" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Ativar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Criar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplicar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exportar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmar Remoção" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importar material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Material %1 importado com êxito" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportar Material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Material exportado com êxito para %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Impressoras" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Mudar Nome" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Perfis" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Criar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplicar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Criar Perfil" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplicar Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Mudar Nome do Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importar Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportar Perfil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Impressora: %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Definições Globais" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilidade das Definições" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Selecionar tudo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "Geral" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Definições" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Impressoras" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Perfis" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "A fechar %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +msgctxt "@title:window" +msgid "Open file(s)" +msgstr "Abrir ficheiro(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instalar Pacote" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Abrir ficheiro(s)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Adicionar Impressora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Novidades" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "version: %1" +msgstr "versão: %1" + +#: /home/trin/Gedeeld/Projects/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 +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 "" +"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 +msgctxt "@label" +msgid "Graphical user interface" +msgstr "Interface gráfica do utilizador" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "G-code generator" +msgstr "Gerador de G-code" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Programming language" +msgstr "Linguagem de programação" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Ligações de estrutura da GUI" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Data interchange format" +msgstr "Formato de intercâmbio de dados" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "Biblioteca de deteção ZeroConf" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Python bindings for libnest2d" +msgstr "Ligações Python para libnest2d" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Tipo de letra" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Abrir ficheiro de projeto" + +#: /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 "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/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 +msgctxt "@action:button" +msgid "Open as project" +msgstr "Abrir como projeto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +msgctxt "@action:button" +msgid "Import models" +msgstr "Importar modelos" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +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:57 +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 "" +"Personalizou algumas definições de perfil.\n" +"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:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Definições do perfil" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Alterações atuais" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" +msgid "Always ask me this" +msgstr "Perguntar sempre isto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +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:160 +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:197 +msgctxt "@action:button" +msgid "Discard changes" +msgstr "Descartar alterações" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Manter alterações" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Importar tudo como modelos 3D" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Guardar projeto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extrusor %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & material" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Guardar" + +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensões" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referências" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Ajuda" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Novo projeto" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Selecionar configuração" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "É imprimido como suporte." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 msgctxt "@label" msgid "Interface" msgstr "Interface" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 msgctxt "@label" msgid "Currency:" msgstr "Moeda:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 msgctxt "@label" msgid "Theme:" msgstr "Tema:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:284 msgctxt "@info:tooltip" msgid "Slice automatically when changing settings." msgstr "Seccionar automaticamente ao alterar as definições." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:292 msgctxt "@option:check" msgid "Slice automatically" msgstr "Seccionar automaticamente" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 msgctxt "@label" msgid "Viewport behavior" msgstr "Comportamento da janela" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 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? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:323 msgctxt "@option:check" msgid "Display overhang" msgstr "Mostrar Saliências (Overhangs)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:342 msgctxt "@option:check" msgid "Display model errors" msgstr "Apresentar erros de modelo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:355 msgctxt "@action:button" msgid "Center camera when item is selected" msgstr "Centrar câmara ao selecionar item" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:365 msgctxt "@info:tooltip" msgid "Should the default zoom behavior of cura be inverted?" msgstr "O comportamento de zoom predefinido do Cura deve ser invertido?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:370 msgctxt "@action:button" msgid "Invert the direction of camera zoom." msgstr "Inverta a direção do zoom da câmera." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 msgctxt "@info:tooltip" msgid "Should zooming move in the direction of the mouse?" msgstr "O zoom deve deslocar-se na direção do rato?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:391 msgctxt "@action:button" msgid "Zoom toward mouse direction" msgstr "Fazer Zoom na direção do rato" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:422 msgctxt "@option:check" msgid "Ensure models are kept apart" msgstr "Garantir que os modelos não se interceptam" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:436 msgctxt "@option:check" msgid "Automatically drop models to the build plate" msgstr "Pousar automaticamente os modelos na base de construção" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:448 msgctxt "@info:tooltip" msgid "Show caution message in g-code reader." msgstr "Mostrar mensagem de aviso no leitor de g-code." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 msgctxt "@option:check" msgid "Caution message in g-code reader" msgstr "Mensagem de aviso no leitor de g-code" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:470 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)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:480 msgctxt "@info:tooltip" msgid "Should Cura open at the location it was closed?" msgstr "O Cura deve abrir na localização onde foi fechado?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:485 msgctxt "@option:check" msgid "Restore window position on start" msgstr "Restaurar posição da janela ao iniciar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 msgctxt "@info:tooltip" msgid "What type of camera rendering should be used?" msgstr "Que tipo de composição de câmara deve ser utilizado?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 msgctxt "@window:text" msgid "Camera rendering:" msgstr "Composição de câmara:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 msgid "Perspective" msgstr "Perspetiva" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 msgid "Orthographic" msgstr "Ortográfica" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 msgctxt "@label" msgid "Opening and saving files" msgstr "Abrir e guardar ficheiros" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:560 msgctxt "@option:check" msgid "Use a single instance of Cura" msgstr "Utilizar uma única instância do Cura" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:575 msgctxt "@option:check" msgid "Scale large models" msgstr "Redimensionar modelos demasiado grandes" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:590 msgctxt "@option:check" msgid "Scale extremely small models" msgstr "Redimensionar modelos extremamente pequenos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 msgctxt "@info:tooltip" msgid "Should models be selected after they are loaded?" msgstr "Selecionar os modelos depois de abertos?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 msgctxt "@option:check" msgid "Select models when loaded" msgstr "Selecionar os modelos depois de abertos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:620 msgctxt "@option:check" msgid "Add machine prefix to job name" msgstr "Adicionar prefixo da máquina ao nome do trabalho" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:630 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:634 msgctxt "@option:check" msgid "Show summary dialog when saving project" msgstr "Mostrar caixa de diálogo de resumo ao guardar projeto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:644 msgctxt "@info:tooltip" msgid "Default behavior when opening a project file" msgstr "Comportamento predefinido ao abrir um ficheiro de projeto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 msgctxt "@window:text" msgid "Default behavior when opening a project file: " msgstr "Comportamento predefinido ao abrir um ficheiro de projeto: " -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 msgctxt "@option:openProject" msgid "Always ask me this" msgstr "Perguntar sempre isto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 msgctxt "@option:openProject" msgid "Always open as a project" msgstr "Abrir sempre como projeto" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 msgctxt "@option:openProject" msgid "Always import models" msgstr "Importar sempre modelos" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:714 +#: /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:719 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: " -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:734 msgctxt "@option:discardOrKeep" msgid "Always discard changed settings" msgstr "Descartar sempre definições alteradas" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 msgctxt "@option:discardOrKeep" msgid "Always transfer changed settings to new profile" msgstr "Transferir sempre definições alteradas para o novo perfil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 msgctxt "@label" msgid "Privacy" msgstr "Privacidade" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:782 msgctxt "@option:check" msgid "Check for updates on start" msgstr "Procurar atualizações ao iniciar" # rever! # legal wording -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 msgctxt "@option:check" msgid "Send (anonymous) print information" msgstr "Enviar dados (anónimos) sobre a impressão" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 msgctxt "@action:button" msgid "More information" msgstr "Mais informações" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Impressora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importar material" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportar Material" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "View type" -msgstr "Ver tipo" +msgid "Display Name" +msgstr "Nome" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Sem ligação a uma impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "A impressora não aceita comandos" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "Em manutenção. Verifique a impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Perdeu-se a ligação com a impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "A imprimir..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Em pausa" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "A preparar..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Remova a impressão" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 msgctxt "@label" -msgid "Abort Print" -msgstr "Cancelar impressão" +msgid "Material Type" +msgstr "Tipo de Material" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Tem a certeza de que deseja cancelar a impressão?" +msgid "Color" +msgstr "Cor" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /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 "Search settings" -msgstr "Procurar definições" +msgid "Check all" +msgstr "Selecionar tudo" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Copiar valor para todos os extrusores" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrusor" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Esconder esta definição" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Não mostrar esta definição" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Manter esta definição visível" +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Adicionar Impressora" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Impressão ativa" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Printing Time" +msgstr "Tempo de Impressão" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Profile" +msgstr "Perfil" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Alguns valores de definição/substituição são diferentes dos valores armazenados no perfil.\n" +"\n" +"Clique para abrir o gestor de perfis." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimental" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Enchimento gradual" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Suportes" + +# rever! +# collapse ? +# desmoronar? desabar? +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4936,7 +5187,7 @@ msgstr "" "\n" "Clique para tornar estas definições visíveis." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." @@ -4946,27 +5197,27 @@ msgstr "Esta definição não é utilizada porque todas as definições influenc # Influencia? # Altera? # Modifica? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Modifica" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Modificado Por" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4977,7 +5228,7 @@ msgstr "" "\n" "Clique para restaurar o valor do perfil." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4988,570 +5239,336 @@ msgstr "" "\n" "Clique para restaurar o valor calculado." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Procurar definições" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Esconder esta definição" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +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:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Vista Frente" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Vista Cima" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Vista esquerda" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Vista direita" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Extrusor" +msgid "View type" +msgstr "Ver tipo" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Adicionar uma impressora de cloud" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "A aguardar resposta da cloud" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Não foram encontradas impressoras na sua conta?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Cancelar" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Preaquecer" +msgid "Add printer manually" +msgstr "Adicionar impressora manualmente" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "O material neste extrusor." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "O nozzle inserido neste extrusor." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Base de construção" +msgid "Manufacturer" +msgstr "Fabricante" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "A temperatura atual da base aquecida." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Controlo da impressora" +msgid "Profile author" +msgstr "Autor do perfil" -# rever! -# contexto?! -# Jog? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Posição de deslocação" +msgid "Printer name" +msgstr "Nome da impressora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Adicionar uma impressora" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Adicionar uma impressora em rede" -# rever! -# contexto?! -# Jog? -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Distância de deslocação" +msgid "Add a non-networked printer" +msgstr "Adicionar uma impressora sem rede" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "Enviar G-code" +msgid "There is no printer found over your network." +msgstr "Não foi encontrada nenhuma impressora na sua rede." -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "A impressora não está ligada." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "É imprimido como suporte." +msgid "Refresh" +msgstr "Atualizar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Foram modificados outros modelos sobrepostos com este modelo." +msgid "Add printer by IP" +msgstr "Adicionar impressora por IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Foi modificada a sobreposição de enchimento com este modelo." +msgid "Add cloud printer" +msgstr "Adicionar impressora de cloud" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Não são suportadas sobreposições com este modelo." +msgid "Troubleshooting" +msgstr "Resolução de problemas" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mercado" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Editar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensões" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referências" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Ajuda" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Novo projeto" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Este pacote será instalado após reiniciar." +msgid "Add printer by IP address" +msgstr "Adicionar impressora por endereço IP" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Definições" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "A fechar %1" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Adicionar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -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/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Não foi possível ligar ao dispositivo." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instalar Pacote" +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Abrir ficheiro(s)" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Adicionar Impressora" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Anterior" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Crie uma Conta Ultimaker gratuita" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Ignorar" + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "Novidades" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Adicionar Impressora" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gerir impressoras" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Impressoras ligadas" +msgid "No items to select from" +msgstr "Nenhum item para selecionar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Impressoras predefinidas" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimativa de tempo" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimativa de material" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "A Seccionar..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Não é possível seccionar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "A processar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Segmentação" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Iniciar o processo de segmentação" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Cancelar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Nenhuma estimativa de tempo disponível" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Nenhuma estimativa de custos disponível" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Pré-visualizar" - -#: RemovableDriveOutputDevice/plugin.json +#: ModelChecker/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 "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." -#: RemovableDriveOutputDevice/plugin.json +#: ModelChecker/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Plug-in de dispositivo de saída da unidade amovível" +msgid "Model Checker" +msgstr "Verificador de Modelos" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: 3MFReader/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 "Provides support for reading 3MF files." +msgstr "Fornece suporte para ler ficheiros 3MF." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Atualização da versão 3.5 para 4.0" +msgid "3MF Reader" +msgstr "Leitor de 3MF" -#: VersionUpgrade/VersionUpgrade462to47/plugin.json +#: 3MFWriter/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." +msgid "Provides support for writing 3MF files." +msgstr "Possiblita a gravação de ficheiros 3MF." -#: VersionUpgrade/VersionUpgrade462to47/plugin.json +#: 3MFWriter/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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Atualiza as configurações do Cura 4.2 para o Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Atualização da versão 4.2 para 4.3" - -#: 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Atualização da versão 2.6 para 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Atualiza as configurações do Cura 2.5 para o Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Atualização da versão 2.5 para 2.6" - -#: 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/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/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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Configurações de atualizações do Cura 4.3 para o Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Atualização da versão 4.3 para 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Atualiza as configurações do Cura 3.4 para o Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Atualização da versão 3.4 para 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Atualização da versão 2.7 para 3.0" +msgid "3MF Writer" +msgstr "Gravador 3MF" #: AMFReader/plugin.json msgctxt "description" @@ -5563,65 +5580,15 @@ msgctxt "name" msgid "AMF Reader" msgstr "Leitor de AMF" -#: GCodeProfileReader/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Permite importar perfis a partir de ficheiros g-code." +msgid "Backup and restore your configuration." +msgstr "Efetua uma cópia de segurança e repõe a sua configuração." -#: GCodeProfileReader/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Leitor de perfis G-code" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Fornece suporte para ler ficheiros X3D." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Leitor de X3D" - -#: 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" - -#: 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 "Cura Backups" +msgstr "Cópias de segurança do Cura" #: CuraEngineBackend/plugin.json msgctxt "description" @@ -5633,15 +5600,15 @@ msgctxt "name" msgid "CuraEngine Backend" msgstr "Back-end do CuraEngine" -#: USBPrinting/plugin.json +#: CuraProfileReader/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." +msgid "Provides support for importing Cura profiles." +msgstr "Fornece suporte para importar perfis Cura." -#: USBPrinting/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "USB printing" -msgstr "Impressão USB" +msgid "Cura Profile Reader" +msgstr "Leitor de Perfis Cura" # rever! # Fornece suporte para exportar perfis Cura. @@ -5655,65 +5622,15 @@ msgctxt "name" msgid "Cura Profile Writer" msgstr "Gravador de perfis Cura" -#: UM3NetworkPrinting/plugin.json +#: DigitalLibrary/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." +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "" -#: UM3NetworkPrinting/plugin.json +#: DigitalLibrary/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ligação de rede Ultimaker" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" +msgid "Ultimaker Digital Library" +msgstr "" #: FirmwareUpdateChecker/plugin.json msgctxt "description" @@ -5725,6 +5642,46 @@ 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." @@ -5735,177 +5692,6 @@ msgctxt "name" msgid "G-code Reader" msgstr "Leitor de G-code" -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Fornece uma fase de preparação no Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Fase de preparação" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: 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" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Permite a visualização por camadas." - -# rever! -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Visualização por camadas" - -#: 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" - -#: 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" - -#: 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" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Fornece suporte para importar perfis Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Leitor de Perfis Cura" - -#: 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" - #: GCodeWriter/plugin.json msgctxt "description" msgid "Writes g-code to a file." @@ -5926,15 +5712,446 @@ msgctxt "name" msgid "Image Reader" msgstr "Leitor de imagens" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Efetua uma cópia de segurança e repõe a sua configuração." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Permite importar perfis de versões antigas do Cura." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cópias de segurança do Cura" +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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Fornece uma fase de preparação no Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Fase de preparação" + +#: 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" + +#: 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" + +#: 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" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Permite a visualização por camadas." + +# rever! +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Visualização por camadas" + +#: 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" + +#: 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" + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Atualiza as configurações do Cura 2.5 para o Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +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 +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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Atualização da versão 2.6 para 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Atualiza as configurações do Cura 3.4 para o Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +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 +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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Atualiza as configurações do Cura 4.2 para o Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Atualização da versão 4.2 para 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Configurações de atualizações do Cura 4.3 para o Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Fornece suporte para ler ficheiros X3D." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Leitor de X3D" + +#: 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" + +#: 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" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." @@ -6785,8 +7002,7 @@ msgstr "Cópias de segurança do Cura" #~ "\n" #~ "Select your printer from the list below:" #~ msgstr "" -#~ "Para imprimir diretamente para a sua impressora através da rede, certifique-se de que a sua impressora está ligada à rede por meio 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.\n" +#~ "Para imprimir diretamente para a sua impressora através da rede, certifique-se de que a sua impressora está ligada à rede por meio 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.\n" #~ "\n" #~ "Selecione a sua impressora na lista em baixo:" diff --git a/resources/i18n/pt_PT/fdmextruder.def.json.po b/resources/i18n/pt_PT/fdmextruder.def.json.po index 9e4d087fd8..338c20d5d3 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 038f169c5d..05c9c92282 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 14:56+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Portuguese , Paulo Miranda , Portuguese \n" @@ -3304,8 +3304,8 @@ msgstr "Distância Max. de Combing sem Retração" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Os movimentos de deslocação de Combing com uma distância maior que este valor, quando este é superior a zero, utilizam retrações." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6567,6 +6567,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Os movimentos de deslocação de Combing com uma distância maior que este valor, quando este é superior a zero, utilizam retrações." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Aplicar o desvio do extrusor ao sistema de coordenadas." diff --git a/resources/i18n/ru_RU/cura.po b/resources/i18n/ru_RU/cura.po index 72df1a1d33..16fe4452c1 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 14:57+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Russian , Ruslan Popov , Russian \n" @@ -17,170 +17,180 @@ msgstr "" "X-Generator: Poedit 2.4.1\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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Загрузка принтеров..." +#: /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:1612 +#: /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 "Неизвестно" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -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 "Перечисленные ниже принтеры невозможно подключить, поскольку они входят в состав группы" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Инициализация активной машины..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Доступные сетевые принтеры" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Инициализация диспетчера машин..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Не переопределен" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Инициализация объема печати..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Настройка сцены..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Загрузка интерфейса..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Инициализация ядра..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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 мм" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Внимание" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Ошибка" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "Действительно удалить {0}? Это действие невозможно будет отменить!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Собственный материал" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Своё" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Неизвестно" +msgid "Visual" +msgstr "Визуальный" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Собственный материал" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Своё" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Собственные профили" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Все поддерживаемые типы ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Все файлы (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Визуальный" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Вход не выполнен" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Поиск места для новых объектов" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "Поиск места" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +msgctxt "@info:status" +msgid "Unable to find a location within the build volume for all objects" +msgstr "Невозможно разместить все объекты внутри печатаемого объёма" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Черновой" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Не могу найти место" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Не удалось создать архив из каталога с данными пользователя: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Резервное копирование" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Доступные сетевые принтеры" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Попытка восстановить резервную копию Cura при отсутствии необходимых данных или метаданных." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Не переопределен" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Выполнена попытка восстановить резервную копию Cura с более поздней версией, чем текущая." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Объём печати" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Не удалось запустить Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -195,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Отправить отчет о сбое в Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Показать подробный отчет о сбое" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Показать конфигурационный каталог" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Резервное копирование и сброс конфигурации" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Отчёт о сбое" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -231,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Информация о системе" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Неизвестно" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Версия Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Язык Cura" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Язык ОС" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Платформа" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Версия Qt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Версия PyQt" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Еще не инициализировано
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Версия OpenGL: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Поставщик OpenGL: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Средство визуализации OpenGL: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Обратное отслеживание ошибки" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Журналы" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Отправить отчёт" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Вход не выполнен" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Загрузка принтеров..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Настройка параметров..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Инициализация активной машины..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Инициализация диспетчера машин..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Инициализация объема печати..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Настройка сцены..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Загрузка интерфейса..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Инициализация ядра..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Внимание" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Ошибка" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Размножение и размещение объектов" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Размещение объектов" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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 "Не удалось прочитать ответ." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "Невозможно начать новый вход в систему. Проверьте, возможно другой сеанс еще не завершен." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Нет связи с сервером учетных записей Ultimaker." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "Указано неверное состояние." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 msgctxt "@message" msgid "Please give the required permissions when authorizing this application." msgstr "Дайте необходимые разрешения при авторизации в этом приложении." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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 "Возникла непредвиденная ошибка при попытке входа в систему. Повторите попытку." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +msgctxt "@info" +msgid "Unable to reach the Ultimaker account server." +msgstr "Нет связи с сервером учетных записей Ultimaker." + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Файл уже существует" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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} уже существует. Вы уверены, что желаете перезаписать его?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Неправильный URL-адрес файла:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Сопло" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Настройки изменены в соответствии с текущей доступностью экструдеров:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Настройки обновлены" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Экструдер (-ы) отключен (-ы)" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Невозможно экспортировать профиль в {0}: {1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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}: Плагин записи уведомил об ошибке." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Экспортирование профиля в {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Экспорт успешно завершен" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Не удалось импортировать профиль из {0}: {1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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}, пока не добавлен принтер." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Отсутствует собственный профиль для импорта в файл {0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Не удалось импортировать профиль из {0}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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} содержит неверные данные, поэтому его невозможно импортировать." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Не удалось импортировать профиль из {0}:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Профиль {0} успешно импортирован." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "В файле {0} нет подходящих профилей." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Профиль {0} имеет неизвестный тип файла или повреждён." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Собственный профиль" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "У профайла отсутствует тип качества." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Еще нет активных принтеров." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Невозможно добавить профиль." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Тип качества \"{0}\" несовместим с текущим определением активной машины \"{1}\"." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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}\" недоступен для текущей конфигурации. Выберите комбинацию материала и сопла, которым подходит этот тип качества." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "Не поддерживается" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Поиск места для новых объектов" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Сопло" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Настройки изменены в соответствии с текущей доступностью экструдеров:" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Поиск места" +msgid "Settings updated" +msgstr "Настройки обновлены" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "Невозможно разместить все объекты внутри печатаемого объёма" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Не могу найти место" +msgid "Extruder(s) Disabled" +msgstr "Экструдер (-ы) отключен (-ы)" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Отмена" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Группа #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Пропустить" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Закрыть" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Следующий" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Завершить" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Внешняя стенка" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "Внутренние стенки" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Покрытие" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Заполнение" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Заполнение поддержек" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Связующий слой поддержек" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Поддержки" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Юбка" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Черновая башня" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Перемещение" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Откаты" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Другое" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Добавить" +msgid "Next" +msgstr "Следующий" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "Отмена" +msgid "Skip" +msgstr "Пропустить" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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 "Закрыть" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Объём печати" +msgid "3D Model Assistant" +msgstr "Помощник по 3D-моделям" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Не удалось создать архив из каталога с данными пользователя: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Резервное копирование" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Попытка восстановить резервную копию Cura при отсутствии необходимых данных или метаданных." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Выполнена попытка восстановить резервную копию Cura с более поздней версией, чем текущая." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Размножение и размещение объектов" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Размещение объектов" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Размещение объекта" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Сохранить на внешний носитель" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Сохранить на внешний носитель {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Ни один из форматов файлов не доступен для записи!" +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" +"

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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Сохранение на внешний носитель {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Сохранение" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Не могу записать {0}: {1}" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "Файл проекта {0} содержит неизвестный тип принтера {1}. Не удалось импортировать принтер. Вместо этого будут импортированы модели." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Невозможно сохранить на внешний носитель {0}: {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Сохранено на внешний носитель {0} как {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Файл сохранён" +msgid "Open Project File" +msgstr "Открыть файл проекта" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Извлечь" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Извлекает внешний носитель {0}" +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "Файл проекта {0} внезапно стал недоступен: {1}.." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Извлечено {0}. Вы можете теперь безопасно извлечь носитель." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Безопасное извлечение устройства" +msgid "Can't Open Project File" +msgstr "Невозможно открыть файл проекта" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Невозможно извлечь {0}. Другая программа может использовать это устройство." +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "Файл проекта {0} поврежден: {1}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Внешний носитель" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF файл" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "3MF файл проекта Cura" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "Файл AMF" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Файл G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Обновить прошивку" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Файл X3D" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Отклонить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Принимаю" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Лицензионное соглашение плагина" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Отклонить и удалить из учетной записи" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "Встраиваемые модули ({} шт.) не загружены" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Синхронизация..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "В вашей учетной записи Ultimaker обнаружены изменения" +msgid "Backups" +msgstr "Резервные копии" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "Для активации изменений вам потребуется завершить работу программного обеспечения {} и перезапустить его." +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "При заливке вашей резервной копии возникла ошибка." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Создание резервной копии..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Синхронизация" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "При создании резервной копии возникла ошибка." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Параметры модели" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Выполняется заливка вашей резервной копии..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Правка параметров модели" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Заливка вашей резервной копии завершена." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Пост-обработка" +msgid "Manage backups" +msgstr "Управление резервными копиями" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Изменить G-код" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Невозможно нарезать модель, используя текущий материал, так как он несовместим с выбранной машиной или конфигурацией." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Невозможно нарезать" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Не могу выполнить слайсинг на текущих настройках. Проверьте следующие настройки: {0}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Слайсинг невозможен, так как черновая башня или её позиция неверные." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Невозможно разделить на слои из-за наличия объектов, связанных с отключенным экструдером %s." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -895,62 +923,452 @@ msgstr "" "- назначены активированному экструдеру\n" "- не заданы как объекты-модификаторы" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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 "Обработка слоёв" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Информация" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Печать через USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Печатать через USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Печатать через USB" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Подключено через USB" - -#: /mnt/projects/ultimaker/cura/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 остановит эту печать. Вы уверены?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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, пока предыдущая печать не будет завершена." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Идет печать" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Подключиться через сеть" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Не могу получить информацию об обновлениях." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, 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 firmware available" +msgstr "Доступна новая прошивка %s" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Сохранение" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Файл сохранён" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Извлечь" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Извлекает внешний носитель {0}" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Безопасное извлечение устройства" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Вид моделирования" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Ничего не отображается, поскольку сначала нужно выполнить нарезку на слои." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Нет слоев для отображения" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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:93 +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:89 +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:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Отклонить и удалить из учетной записи" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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 "Печать через облако" + +#: /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:270 +#, 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:227 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" @@ -958,13 +1376,13 @@ msgstr[0] "новый принтер обнаружен из учетной за msgstr[1] "новых принтера обнаружено из учетной записи Ultimaker" msgstr[2] "новых принтеров обнаружено из учетной записи Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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}) из вашей учетной записи" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -973,12 +1391,12 @@ msgstr[0] "... и еще {0} другой" msgstr[1] "... и еще {0} других" msgstr[2] "... и еще {0} других" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Принтеры, добавленные из Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" @@ -986,7 +1404,7 @@ msgstr[0] "Подключение к облаку недоступно для п msgstr[1] "Подключение к облаку недоступно для некоторых принтеров" msgstr[2] "Подключение к облаку недоступно для некоторых принтеров" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" @@ -994,51 +1412,52 @@ msgstr[0] "Это принтер не подключен Digital Factory:" msgstr[1] "Эти принтеры не подключены Digital Factory:" msgstr[2] "Эти принтеры не подключены Digital Factory:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Чтобы установить подключение, перейдите на сайт {website_link}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Сохранить конфигурации принтера" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Удалить принтеры" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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} будет удален до следующей синхронизации учетной записи." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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} временно?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Удалить принтеры?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1057,1480 +1476,272 @@ msgstr[2] "" "Вы удаляете {0} принтеров из Cura. Это действие невозможно будет отменить.\n" "Продолжить?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 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. Это действие невозможно будет отменить.Продолжить?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Печать через облако" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Печать через облако" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Подключено через облако" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "Неизвестный код ошибки при загрузке задания печати: {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "завтра" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "сегодня" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Отправка задания печати" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Загрузка задания печати в принтер." - -#: /mnt/projects/ultimaker/cura/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}, но это не главный принтер группы. Откройте веб-страницу, чтобы настроить его в качестве главного принтера группы." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Не главный принтер группы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Настроить группу" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Отправляйте и отслеживайте задания печати из любого места с помощью вашей учетной записи Ultimaker." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Подключение к Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Приступить" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Дождитесь окончания отправки текущего задания." +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. Обновите прошивку принтера до последней версии." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Ошибка печати" +msgid "Update your printer" +msgstr "Обновите свой принтер" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Облако не залило данные на принтер." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Ошибка сети" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 msgctxt "@info:title" msgid "Sending materials to printer" msgstr "Отправка материалов на принтер" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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 "Очередь заданий печати заполнена. Принтер не может принять новое задание." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Очередь заполнена" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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 "Задание печати успешно отправлено на принтер." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Данные отправлены" -#: /mnt/projects/ultimaker/cura/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. Обновите прошивку принтера до последней версии." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Обновите свой принтер" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 msgctxt "@action:button Preceded by 'Ready to'." msgid "Print over network" msgstr "Печать через сеть" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Печать через сеть" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 msgctxt "@info:status" msgid "Connected over the network" msgstr "Подключен по сети" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Выбор обновлений" +msgid "Connect via Network" +msgstr "Подключиться через сеть" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Выравнивание стола" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Рекомендованная" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Своя" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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}. Не удалось импортировать принтер. Вместо этого будут импортированы модели." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Открыть файл проекта" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "Файл проекта {0} внезапно стал недоступен: {1}.." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Невозможно открыть файл проекта" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "Файл проекта {0} поврежден: {1}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Файл 3MF" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Сжатый файл с G-кодом" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "Средство записи G-кода с расширением GZ (GCodeGzWriter) не поддерживает текстовый режим." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Помощник по 3D-моделям" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "завтра" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Не могу получить информацию об обновлениях." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "Для {machine_name} доступны новые функции или исправления! Если у вас не установлена самая последняя версия прошивки принтера, рекомендуем обновить ее до версии {latest_version}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Доступна новая прошивка %s" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Порядок обновления" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Файл G" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Обработка G-code" +msgid "today" +msgstr "сегодня" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Параметры G-code" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Печать через USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Печатать через USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Блокировщик поддержки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Создание объема без печати элементов поддержки." +msgid "Print via USB" +msgstr "Печатать через USB" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Подключено через USB" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Идет печать" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "Файл X3D" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Пакет формата Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Профили Cura 15.04" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Подготовка" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Монитор" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Просмотр в рентгене" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Ошибка в ходе записи файла 3MF." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF файл" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "3MF файл проекта Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Подключаемый модуль для записи 3MF поврежден." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Права на запись рабочей среды отсутствуют." - -#: /mnt/projects/ultimaker/cura/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 "Операционная система не позволяет сохранять файл проекта в этом каталоге или с этим именем файла." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Предварительный просмотр" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Просмотр слоёв" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "При печати через кабель Cura отображает слои неточно." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Вид моделирования" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Ничего не отображается, поскольку сначала нужно выполнить нарезку на слои." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Нет слоев для отображения" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Больше не показывать это сообщение" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Параметры принтера" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Просмотр модели" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Ошибки модели" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Узнать больше" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Невозможно записать в файл UFP:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "Средство записи G-кода (GCodeWriter) не поддерживает нетекстовый режим." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Подготовьте G-код перед экспортом." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG изображение" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG изображение" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG изображение" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP изображение" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF изображение" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "При попытке восстановления данных из резервной копии возникла ошибка." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Резервные копии" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "При заливке вашей резервной копии возникла ошибка." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Создание резервной копии..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "При создании резервной копии возникла ошибка." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Выполняется заливка вашей резервной копии..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Заливка вашей резервной копии завершена." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Размер файла резервной копии превышает максимально допустимый." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Управление резервными копиями" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Обновить прошивку" - -#: /mnt/projects/ultimaker/cura/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 принтера. Прошивка управляет шаговыми моторами, регулирует температуру и, в конечном счёте, обеспечивает работу вашего принтера." - -#: /mnt/projects/ultimaker/cura/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 "Поставляемая с новыми принтерами прошивка работоспособна, но обновления предоставляют больше возможностей и усовершенствований." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Автоматическое обновление прошивки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Залить собственную прошивку" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Невозможно обновить прошивку, так как нет подключения к принтеру." - -#: /mnt/projects/ultimaker/cura/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 "Невозможно обновить прошивку, так как подключение к принтеру не поддерживает функцию обновления прошивки." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Выбрать собственную прошивку" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Обновление прошивки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Обновление прошивки." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Обновление прошивки завершено." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Обновление прошивки не удалось из-за неизвестной ошибки." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Обновление прошивки не удалось из-за ошибки связи." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Обновление прошивки не удалось из-за ошибки ввода-вывода." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Обновление прошивки не удалось из-за её отсутствия." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Магазин" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Для установки пакета необходимо принять лицензию" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Изменения в вашей учетной записи" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Отклонить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Следующий" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Будут добавлены следующие пакеты:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Подтвердить удаление" - -#: /mnt/projects/ultimaker/cura/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 "Вы удаляете материалы и/или профили, которые все еще используются. Подтверждение приведет к сбросу указанных ниже материалов/профилей к их настройкам по умолчанию." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Материалы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Профили" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Подтвердить" - -#: /mnt/projects/ultimaker/cura/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. Проверьте свое подключение." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Вклад в развитие сообщества" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Плагины сообщества" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Универсальные материалы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Версия" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Последнее обновление" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Брэнд" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Загрузки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Установленные встраиваемые модули" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Встраиваемые модули не установлены." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Установленные материалы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Материалы не установлены." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Связанные встраиваемые модули" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Связанные материалы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Веб-сайт" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Электронная почта" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Войти" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Выборка пакетов..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Совместимость" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Принтер" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Рабочий стол" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Поддержки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Качество" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Таблица технических характеристик" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Паспорт безопасности" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Инструкции по печати" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Веб-сайт" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Плагины" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Материалы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Установлено" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Перейти в интернет-магазин" +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "С этой печатью могут быть связаны некоторые проблемы. Щелкните для просмотра советов по регулировке." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Установка выполнится при перезагрузке" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Обновить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Обновление" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Обновлено" - -#: /mnt/projects/ultimaker/cura/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 "Для выполнения обновления необходимо войти" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Переход на более раннюю версию" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Удалить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Установлено" - -#: /mnt/projects/ultimaker/cura/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 "Для выполнения установки или обновления необходимо войти" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Приобретение катушек с материалом" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Премиум" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Поиск материалов" - -#: /mnt/projects/ultimaker/cura/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 для активации изменений в пакетах." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Выйти из %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Назад" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Установить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Тип объекта" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Нормальная модель" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Печать в качестве поддержки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Изменить настройки для перекрытий" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Не поддерживать перекрытия" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Заполнение объекта" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Ограничивающий объект" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Выберите параметры" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Выберите параметр для изменения этой модели" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Фильтр..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Показать всё" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Плагин пост-обработки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Скрипты пост-обработки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Добавить скрипт" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Параметры" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Измените активные скрипты пост-обработки." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "Активны следующие скрипты:" -msgstr[1] "Активны следующие скрипты:" -msgstr[2] "Активны следующие скрипты:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Запланировано" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Управление через браузер" - -#: /mnt/projects/ultimaker/cura/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 "В очереди нет заданий печати. Выполните нарезку и отправьте задание." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Задания печати" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Общее время печати" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Ожидание" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Изменения конфигурации" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Переопределить" - -#: /mnt/projects/ultimaker/cura/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 требуются следующие изменения конфигурации:" - -#: /mnt/projects/ultimaker/cura/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 назначен, однако в задании указана неизвестная конфигурация материала." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Изменить материал %1 с %2 на %3." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Загрузите %3 как материал %1 (переопределение этого действия невозможно)." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Изменить экструдер %1 с %2 на %3." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Заменить рабочий стол на %1 (переопределение этого действия невозможно)." - -#: /mnt/projects/ultimaker/cura/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 "При переопределении к имеющейся конфигурации принтера будут применены указанные настройки. Это может привести к ошибке печати." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Стекло" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Алюминий" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Недоступный принтер" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Первое доступное" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Для удаленного управления очередью необходимо обновить программное обеспечение принтера." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Подключение к сетевому принтеру" - -#: /mnt/projects/ultimaker/cura/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 на принтер." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Выберите свой принтер из приведенного ниже списка:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Правка" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Удалить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Обновить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Если ваш принтер отсутствует в списке, обратитесь к руководству по решению проблем с сетевой печатью" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Тип" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Версия прошивки" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Адрес" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Данный принтер не настроен для управления группой принтеров." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Данный принтер управляет группой из %1 принтера (-ов)." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "Принтер по этому адресу ещё не отвечал." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Подключить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Недействительный IP-адрес" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Введите действительный IP-адрес." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Адрес принтера" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Введите IP-адрес принтера в сети." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "OK" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Печать через сеть" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Печать" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Выбор принтера" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Переместить в начало" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Удалить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Продолжить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Приостановка..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Возобновляется..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Пауза" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Прерывается..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Прервать" - -#: /mnt/projects/ultimaker/cura/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 в начало очереди?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Переместить задание печати в начало очереди" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Удалить задание печати" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Прервать печать" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Прервано" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Завершено" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Подготовка..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Прерывается..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Приостановка..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Приостановлено" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Возобновляется..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Необходимое действие" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Завершение %1 в %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Управление принтером" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Загрузка..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Недоступен" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Недостижимо" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Простой" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Печать" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Без имени" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Анонимн" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Необходимо внести изменения конфигурации" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Подробности" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Пожалуйста, укажите любые изменения, внесённые в Ultimaker Original" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Нагреваемый стол (официальный набор или самодельный)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Выравнивание стола" - -#: /mnt/projects/ultimaker/cura/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 "Сейчас вы можете отрегулировать ваш стол, чтобы быть уверенным в качестве последующей печати. При нажатии на кнопку «Перейти к следующей позиции» сопло перейдёт на другую позиции, которую можно будет отрегулировать." - -#: /mnt/projects/ultimaker/cura/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 "Для каждой позиции, вставьте кусок бумаги под сопло и отрегулируйте высоту стола. Когда кончик сопла немного прижимает бумагу к столу, значит вы выставили правильную высоту стола." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Начало выравнивания стола" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Перейти к следующей позиции" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Открытие проекта" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Обновить существующий" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Создать новый" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Сводка - Проект Cura" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Параметры принтера" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Как следует решать конфликт в принтере?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Тип" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Группа принтеров" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Параметры профиля" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Как следует решать конфликт в профиле?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "Название" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Вне профиля" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" @@ -2538,12 +1749,12 @@ msgstr[0] "%1 перекрыт" msgstr[1] "%1 перекрыто" msgstr[2] "%1 перекрыто" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Производное от" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" @@ -2551,52 +1762,484 @@ msgstr[0] "%1, %2 перекрыто" msgstr[1] "%1, %2 перекрыто" msgstr[2] "%1, %2 перекрыто" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Параметры материала" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Как следует решать конфликт в материале?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Видимость параметров" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Режим" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Видимые параметры:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 из %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Загрузка проекта приведет к удалению всех моделей на рабочем столе." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Открыть" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Желаете большего?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Удалить резервную копию" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Восстановить резервную копию" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Резервные копии Cura" + +#: /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:199 +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 "Прошивка является программным обеспечением, которое работает на плате вашего 3D принтера. Прошивка управляет шаговыми моторами, регулирует температуру и, в конечном счёте, обеспечивает работу вашего принтера." + +#: /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 "Поставляемая с новыми принтерами прошивка работоспособна, но обновления предоставляют больше возможностей и усовершенствований." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Автоматическое обновление прошивки" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Залить собственную прошивку" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Преобразование изображения..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Высота (мм)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Основание (мм)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Ширина (мм)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Глубина (мм)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Тёмные выше" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +msgctxt "@item:inlistbox" +msgid "Lighter is higher" +msgstr "Светлые выше" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Светопроходимость" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "Проходимость через 1 мм (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "OK" + +#: /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 +msgctxt "@label" +msgid "Nozzle size" +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 +msgctxt "@label" +msgid "mm" +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 "Смещение сопла по оси X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Смещение сопла по оси Y" + +#: /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 "Стартовый G-код экструдера" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Ширина)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Глубина)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Высота)" + +#: /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 "Вариант G-кода" + +#: /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 "X минимум" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y минимум" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X максимум" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y максимум" + +#: /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 "Применить смещения экструдера к GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Стартовый G-код" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Завершающий G-код" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2609,1367 +2252,973 @@ msgstr "" "- Убедитесь, что принтер подключен к сети.\n" "- Убедитесь, что вы вошли в систему (это необходимо для поиска принтеров, подключенных к облаку)." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Подключите принтер к сети." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Просмотр руководств пользователей онлайн" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Заполнение объекта" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Ограничивающий объект" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Выберите параметры" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Дополнительная информация о сборе анонимных данных" +msgid "Select Settings to Customize for this model" +msgstr "Выберите параметр для изменения этой модели" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Фильтр..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Показать всё" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Разрешить отправку анонимных данных" +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Плагин пост-обработки" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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] "Активны следующие скрипты:" +msgstr[2] "Активны следующие скрипты:" + +#: /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 "Цветовая схема" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Цвет материала" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Тип линии" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Скорость" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Толщина слоя" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Ширина линии" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Режим совместимости" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Перемещения" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Помощники" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Ограждение" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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 "Заполнение" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Запуск" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Показать только верхние слои" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 msgctxt "@label" msgid "Show 5 Detailed Layers On Top" msgstr "Показать 5 детализированных слоёв сверху" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Дно / крышка" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "Внутренняя стенка" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "мин." -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "макс." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Параметры сопла" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Диаметр сопла" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "мм" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Диаметр совместимого материала" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Смещение сопла по оси X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Смещение сопла по оси Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Номер охлаждающего вентилятора" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Стартовый G-код экструдера" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Завершающий G-код экструдера" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Принтер" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Параметры принтера" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Ширина)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Глубина)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Высота)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Форма стола" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Начало координат в центре" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Нагреваемый стол" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Подогреваемый объем печати" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Вариант G-кода" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Параметры головы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X минимум" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y минимум" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X максимум" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y максимум" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Высота портала" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Количество экструдеров" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Применить смещения экструдера к GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Стартовый G-код" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Завершающий G-код" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Преобразование изображения..." +msgid "More information on anonymous data collection" +msgstr "Дополнительная информация о сборе анонимных данных" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:33 -msgctxt "@info:tooltip" -msgid "The maximum distance of each pixel from \"Base.\"" -msgstr "Максимальная дистанция каждого пикселя от \"Основания.\"" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Высота (мм)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:56 -msgctxt "@info:tooltip" -msgid "The base height from the build plate in millimeters." -msgstr "Высота основания от стола в миллиметрах." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Основание (мм)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "Ширина в миллиметрах на столе." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Ширина (мм)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "Глубина в миллиметрах на столе" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Глубина (мм)" - -#: /mnt/projects/ultimaker/cura/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-модели." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Тёмные выше" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Светлые выше" - -#: /mnt/projects/ultimaker/cura/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 "Для литофании предусмотрена простая логарифмическая модель светопроходимости. В картах высот значения пикселей линейно соответствуют высотам." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Линейный" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Светопроходимость" - -#: /mnt/projects/ultimaker/cura/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 миллиметр. Если уменьшить это значение, контрастность в темных областях изображения увеличится, а в светлых — уменьшится." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "Проходимость через 1 мм (%)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:195 -msgctxt "@info:tooltip" -msgid "The amount of smoothing to apply to the image." -msgstr "Величина сглаживания для применения к изображению." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Сглаживание" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Мои резервные копии" - -#: /mnt/projects/ultimaker/cura/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 "В данный момент у вас отсутствуют резервные копии. Для создания резервной копии нажмите кнопку «Создать резервную копию»." - -#: /mnt/projects/ultimaker/cura/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 резервных копий. Для просмотра предыдущих резервных копий удалите одну копию." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Резервное копирование и синхронизация ваших параметров Cura." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Желаете большего?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Создать резервную копию" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Автоматическое резервное копирование" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Версия Cura" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Принтеры" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Материалы" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Профили" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Плагины" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Восстановить" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Удалить резервную копию" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Вы уверены, что хотите удалить указанную резервную копию? Данное действие невозможно отменить." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Восстановить резервную копию" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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 прямо сейчас?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Резервные копии Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Избранные" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Универсальные" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "Файл" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Сохранить проект..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Экспорт..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Экспорт выбранного..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Открыть недавние" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Выберите конфигурации" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Конфигурации" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Конфигурации" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Свое" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Принтер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Включено" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Использовать клей для лучшего прилипания с этой комбинацией материалов." - -#: /mnt/projects/ultimaker/cura/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 и загрузите подходящий профиль материала." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Магазин" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Загрузка доступных конфигураций из принтера..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Конфигурации недоступны, поскольку принтер отключен." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "Вид" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Положение камеры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Вид камеры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Перспективная" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ортографическая" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "Рабочий стол" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Подключенные к сети принтеры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Локальные принтеры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Видимые параметры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Свернуть все категории" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Управление видимостью настроек..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Параметры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Принтер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "Материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Установить как активный экструдер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Включить экструдер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Отключить экструдер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Сохранить проект..." - -#: /mnt/projects/ultimaker/cura/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] "Печать выбранных моделей:" - -#: /mnt/projects/ultimaker/cura/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] "Размножить выбранные модели" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Количество копий" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Открыть файл(ы)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Собственные профили" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Сбросить текущие параметры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Профиль" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Значения некоторых параметров отличаются от значений профиля.\n" -"\n" -"Нажмите для открытия менеджера профилей." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Вкл" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Выкл" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Экспериментальное" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Рекомендован" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Свое" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Параметры печати" - -#: /mnt/projects/ultimaker/cura/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-кодом." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Постепенное заполнение" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Постепенное заполнение будет постепенно увеличивать объём заполнения по направлению вверх." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Профили" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -msgctxt "@tooltip" -msgid "You have modified some profile settings. If you want to change these go to custom mode." -msgstr "В некоторые настройки профиля были внесены изменения. Если их необходимо изменить, перейдите в пользовательский режим." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Поддержки" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -msgctxt "@label" -msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." -msgstr "Генерация структур для поддержки нависающих частей модели. Без этих структур такие части будут складываться во время печати." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Прилипание" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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 "Разрешает печать каймы или подложки. Это добавляет плоскую область вокруг или под вашим объектом, которую легко удалить после печати." - -#: /mnt/projects/ultimaker/cura/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. Вместо этого будет использоваться функция по умолчанию" -msgstr[1] "Нет %1 профилей для конфигураций в экструдерах %2. Вместо этого будет использоваться функция по умолчанию" -msgstr[2] "Нет %1 профилей для конфигураций в экструдерах %2. Вместо этого будет использоваться функция по умолчанию" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "Нет элементов для выбора" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Идёт печать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "Имя задачи" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Время печати" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Осталось примерно" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Сбросить или сохранить изменения" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"Вы изменили некоторые настройки профиля.\n" -"Сохранить измененные настройки после переключения профилей?\n" -"Изменения можно отменить и загрузить настройки по умолчанию из \"%1\"." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Параметры профиля" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Текущие изменения" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Всегда спрашивать меня" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "Сбросить и никогда больше не спрашивать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Сохранить и никогда больше не спрашивать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Отменить изменения" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Сохранить изменения" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "О программе %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "версия: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:72 -msgctxt "@label" -msgid "End-to-end solution for fused filament 3D printing." -msgstr "Полное решение для 3D печати методом наплавления материала." - -#: /mnt/projects/ultimaker/cura/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 разработана компанией Ultimaker B.V. совместно с сообществом.\n" -"Cura использует следующие проекты с открытым исходным кодом:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Графический интерфейс пользователя" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Фреймворк приложения" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "Генератор G-кода" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "Библиотека межпроцессного взаимодействия" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Язык программирования" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "Фреймворк GUI" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "Фреймворк GUI, интерфейс" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C/C++ библиотека интерфейса" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Формат обмена данными" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Вспомогательная библиотека для научных вычислений" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Вспомогательная библиотека для быстрых расчётов" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "Вспомогательная библиотека для работы с STL файлами" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "Вспомогательная библиотека для работы с плоскими объектами" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "Вспомогательная библиотека для работы с треугольными сетками" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "Вспомогательная библиотека для работы с 3MF файлами" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "Вспомогательная библиотека для метаданных файла и потоковой передачи" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Библиотека последовательного интерфейса" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "Библиотека ZeroConf" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Библиотека обрезки полигонов" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Средство проверки статического типа для Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "Корневые сертификаты для проверки надежности SSL" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Библиотека отслеживания ошибок Python" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "Библиотека упаковки полигонов, разработанная Prusa Research" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Интерфейс Python для libnest2d" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "Вспомогательная библиотека для доступа к набору ключей системы" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Расширения Python для Microsoft Windows" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Шрифт" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "Иконки SVG" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Развертывание приложений для различных дистрибутивов Linux" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Открыть файл(ы)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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 собирает анонимные данные для повышения качества печати и улучшения взаимодействия с пользователем. Ниже приведен пример всех передаваемых данных:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Импортировать всё как модели" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Сохранить проект" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Экструдер %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 и материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Больше не показывать сводку по проекту" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Сохранить" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Открыть файл проекта" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "Не хочу отправлять анонимные данные" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Запомнить мой выбор" +msgid "Allow sending anonymous data" +msgstr "Разрешить отправку анонимных данных" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Открыть как проект" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Импортировать модели" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Без имени" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Приветствуем в Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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. Это займет немного времени." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Приступить" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Пусто" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Помогите нам улучшить Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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 собирает анонимные данные для повышения качества печати и улучшения взаимодействия с пользователем, включая перечисленные ниже:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Типы принтера" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Использование материала" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Количество слоев" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Параметры печати" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Данные, собранные Ultimaker Cura, не содержат каких-либо персональных данных." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Дополнительная информация" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Добавить принтер по IP-адресу" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Введите IP-адрес своего принтера." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Добавить" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Не удалось подключиться к устройству." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Не удается подключиться к принтеру Ultimaker?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "От принтера с этим адресом еще не поступал ответ." - -#: /mnt/projects/ultimaker/cura/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 "Этот принтер невозможно добавить, поскольку это неизвестный принтер либо он не управляет группой." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Назад" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 "Вам потребуется перезапустить 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:457 +#: /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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Установленные материалы" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Материалы не установлены." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Связанные встраиваемые модули" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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" +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 "Подключить" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Добавить принтер" +msgid "Enter the IP address of your printer on the network." +msgstr "Введите IP-адрес принтера в сети." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Добавить сетевой принтер" +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 требуются следующие изменения конфигурации:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Добавить принтер, не подключенный к сети" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "Принтер %1 назначен, однако в задании указана неизвестная конфигурация материала." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "Что нового" +msgid "Change material %1 from %2 to %3." +msgstr "Изменить материал %1 с %2 на %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Добавить облачный принтер" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Загрузите %3 как материал %1 (переопределение этого действия невозможно)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Ожидается ответ от облака" +msgid "Change print core %1 from %2 to %3." +msgstr "Изменить экструдер %1 с %2 на %3." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "В учетной записи нет принтеров?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Заменить рабочий стол на %1 (переопределение этого действия невозможно)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Следующие принтеры в вашей учетной записи добавлены в Cura:" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "При переопределении к имеющейся конфигурации принтера будут применены указанные настройки. Это может привести к ошибке печати." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -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 "Стекло" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Печать через сеть" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Печать" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Добавляйте настройки материалов и плагины из Marketplace" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Выполняйте резервное копирование и синхронизацию своих настроек материалов и плагинов" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Создайте бесплатную учетную запись Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Пропустить" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Пользовательское соглашение" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Отклонить и закрыть" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Примечания к выпуску" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "В вашей сети не найден принтер." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Обновить" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Добавить принтер по IP-адресу" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Добавить облачный принтер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Поиск и устранение неисправностей" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Производитель" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Автор профиля" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Имя принтера" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Присвойте имя принтеру" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Последнее обновление: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Учетная запись Ultimaker" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Выйти" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3980,935 +3229,1926 @@ msgstr "" " - Выполняйте резервное копирование и синхронизацию своих настроек материалов и плагинов \n" " - Делитесь идеями и получайте помощь от 48 000 пользователей в сообществе Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 msgctxt "@button" msgid "Create a free Ultimaker account" msgstr "Создайте бесплатную учетную запись Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Войти" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "Проверка..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Учетная запись синхронизирована" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Что-то пошло не так..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Установить ожидающие обновления" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "Проверить наличие обновлений учетной записи" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Список объектов" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Последнее обновление: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Учетная запись Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Нарезка на слои..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Невозможно нарезать" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "Обработка" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Нарезка на слои" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Запустить нарезку на слои" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +msgctxt "@button" +msgid "Cancel" +msgstr "Отмена" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 msgctxt "@action:inmenu" msgid "Show Online Troubleshooting Guide" msgstr "Показать онлайн-руководство по решению проблем" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Полный экран" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Выйти из полноэкранного режима" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "Отмена" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "Возврат" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "Выход" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "Трехмерный вид" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Вид спереди" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Вид сверху" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Вид слева" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Вид справа" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Настроить Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "Добавить принтер..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Управление принтерами..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Управление материалами..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Добавить больше материалов из Магазина" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "Обновить профиль текущими параметрами" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "Сбросить текущие параметры" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "Создать профиль из текущих параметров..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Управление профилями..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Показать онлайн документацию" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "Отправить отчёт об ошибке" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Что нового" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "О Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Удалить выбранное" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Центрировать выбранное" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Размножить выбранное" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Удалить модель" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "Поместить модель по центру" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "Сгруппировать модели" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Разгруппировать модели" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "Объединить модели" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "Дублировать модель..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Выбрать все модели" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Очистить стол" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Перезагрузить все модели" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "Выровнять все модели по всем рабочим столам" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Выровнять все модели" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Выровнять выбранные" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Сбросить позиции всех моделей" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Сбросить преобразования всех моделей" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "Открыть файл(ы)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "Новый проект..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Показать конфигурационный каталог" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Видимость параметров..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&Магазин" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Вычислено" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Параметр" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Профиль" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Текущий" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Единица" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Информация" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Подтвердить изменение диаметра" - -#: /mnt/projects/ultimaker/cura/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 мм. Это значение несовместимо с текущим экструдером. Продолжить?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Отображаемое имя" +msgid "This package will be installed after restarting." +msgstr "Этот пакет будет установлен после перезапуска." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Тип материала" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Цвет" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Свойства" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Плотность" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Диаметр" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Стоимость материала" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Вес материала" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Длина материала" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Стоимость метра" - -#: /mnt/projects/ultimaker/cura/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 и имеет ряд его свойств." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Отвязать материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Описание" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Информация об адгезии" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Активировать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Создать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Дублировать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Импорт" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Экспорт" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Принтер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Подтвердите удаление" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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? Это нельзя будет отменить!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Импортировать материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Не могу импортировать материал %1: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Успешно импортированный материал %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Экспортировать материал" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Не могу экспортировать материал %1: %2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Материал успешно экспортирован в %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Принтеры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Переименовать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Профили" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Создать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Дублировать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Создать профиль" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Укажите имя для данного профиля." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Скопировать профиль" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Переименовать профиль" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Импорт профиля" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Экспорт профиля" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Принтер: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Обновить профиль текущими параметрами" - -#: /mnt/projects/ultimaker/cura/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 "Данный профиль использует настройки принтера по умолчанию, поэтому список ниже пуст." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Ваши текущие параметры совпадают с выбранным профилем." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Общие параметры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Видимость параметров" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Выбрать все" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "Общее" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Параметры" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Принтеры" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Профили" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Закрытие %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Установить пакет" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Открыть файл(ы)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Добавление принтера" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Что нового" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "Интерфейс" +msgid "version: %1" +msgstr "версия: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "Валюта:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "Полное решение для 3D печати методом наплавления материала." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 разработана компанией Ultimaker B.V. совместно с сообществом.\n" +"Cura использует следующие проекты с открытым исходным кодом:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" -msgid "Theme:" -msgstr "Тема:" +msgid "Graphical user interface" +msgstr "Графический интерфейс пользователя" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Для применения данных изменений вам потребуется перезапустить приложение." +msgid "Application framework" +msgstr "Фреймворк приложения" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Нарезать автоматически при изменении настроек." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Нарезать автоматически" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "Поведение окна" +msgid "G-code generator" +msgstr "Генератор G-кода" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "Библиотека межпроцессного взаимодействия" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Отобразить нависания" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "Язык программирования" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "Фреймворк GUI" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Показывать ошибки модели" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "Фреймворк GUI, интерфейс" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "C/C++ библиотека интерфейса" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for scientific computing" +msgstr "Вспомогательная библиотека для научных вычислений" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling STL files" +msgstr "Вспомогательная библиотека для работы с STL файлами" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling triangular meshes" +msgstr "Вспомогательная библиотека для работы с треугольными сетками" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for file metadata and streaming" +msgstr "Вспомогательная библиотека для метаданных файла и потоковой передачи" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "Библиотека ZeroConf" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "Корневые сертификаты для проверки надежности SSL" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "Библиотека упаковки полигонов, разработанная Prusa Research" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "Вспомогательная библиотека для доступа к набору ключей системы" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "Шрифт" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Linux cross-distribution application deployment" +msgstr "Развертывание приложений для различных дистрибутивов Linux" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +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 "Это проект Cura. Следует открыть его как проект или просто импортировать из него модели?" + +#: /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 "Center camera when item is selected" -msgstr "Центрировать камеру на выбранном объекте" +msgid "Open as project" +msgstr "Открыть как проект" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Следует ли инвертировать стандартный способ увеличения в Cura?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Инвертировать направление увеличения камеры." +msgid "Import models" +msgstr "Импортировать модели" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Увеличивать по мере движения мышкой?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Сбросить или сохранить изменения" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "В ортогональной проекции изменение масштаба мышью не поддерживается." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"Вы изменили некоторые настройки профиля.\n" +"Сохранить измененные настройки после переключения профилей?\n" +"Изменения можно отменить и загрузить настройки по умолчанию из \"%1\"." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Увеличивать по движению мышки" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Параметры профиля" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Текущие изменения" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Удостовериться, что модели размещены рядом" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Следует ли опустить модели на стол?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Автоматически опускать модели на стол" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Показывать предупреждающее сообщение в средстве считывания G-кода." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Предупреждающее сообщение в средстве считывания G-кода" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Должен ли слой быть переведён в режим совместимости?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Просматривать слои в режиме совместимости (требуется перезапуск)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Открыть Cura на том месте, где вы остановились в прошлый раз?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Восстановить положение окна при запуске" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Рендеринг камеры какого типа следует использовать?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Рендеринг камеры:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Перспективная" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Ортографическая" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Открытие и сохранение файлов" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Открывать файлы с компьютера и из внешних приложений в одном экземпляре Cura?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Использовать один экземпляр Cura" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Масштабировать ли модели для размещения внутри печатаемого объёма, если они не влезают в него?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Масштабировать большие модели" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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 "Модель может показаться очень маленькой, если её размерность задана в метрах, а не миллиметрах. Следует ли масштабировать такие модели?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Масштабировать очень маленькие модели" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Выбрать модели после их загрузки?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Выбрать модели при загрузке" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Надо ли автоматически добавлять префикс, основанный на имени принтера, к названию задачи на печать?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Добавить префикс принтера к имени задачи" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Показывать сводку при сохранении файла проекта?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Показывать сводку при сохранении проекта" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Стандартное поведение при открытии файла проекта" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Стандартное поведение при открытии файла проекта: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Всегда спрашивать меня" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Всегда открывать как проект" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Всегда импортировать модели" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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 "При внесении изменений в профиль и переключении на другой, будет показан диалог, запрашивающий ваше решение о сохранении ваших изменений, или вы можете указать стандартное поведение и не показывать такой диалог." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Поведение по умолчанию для измененных значений настройки при переключении на другой профиль: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Всегда сбрасывать измененные настройки" +msgid "Discard and never ask again" +msgstr "Сбросить и никогда больше не спрашивать" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Всегда передавать измененные настройки новому профилю" +msgid "Keep and never ask again" +msgstr "Сохранить и никогда больше не спрашивать" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Приватность" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Должна ли Cura проверять обновления программы при старте?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Проверять обновления при старте" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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-адреса и никакая другая персональная информация не будет отправлена или сохранена." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Отправлять (анонимно) информацию о печати" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "Дополнительная информация" +msgid "Discard changes" +msgstr "Отменить изменения" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Сохранить изменения" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Импортировать всё как модели" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Сохранить проект" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Экструдер %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 и материал" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Материал" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Больше не показывать сводку по проекту" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +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] "Печатать выбранную модель с %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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Расширения" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Настройки" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "Справка" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Новый проект" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "Просмотр типа" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Данная конфигурация недоступна, поскольку %1 не распознан. Посетите %2 и загрузите подходящий профиль материала." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Загрузка доступных конфигураций из принтера..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Выберите конфигурации" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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 "Не подключен к принтеру" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 msgctxt "@label:MonitorStatus" msgid "Printer does not accept commands" msgstr "Принтер не принимает команды" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 msgctxt "@label:MonitorStatus" msgid "In maintenance. Please check the printer" msgstr "В режиме обслуживания. Пожалуйста, проверьте принтер" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 msgctxt "@label:MonitorStatus" msgid "Lost connection with the printer" msgstr "Потеряно соединение с принтером" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Печать..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "Приостановлен" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Подготовка..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "Пожалуйста, удалите напечатанное" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Прервать печать" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 msgctxt "@label" msgid "Are you sure you want to abort the print?" msgstr "Вы уверены, что желаете прервать печать?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Печатается как поддержка." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Другие модели, имеющие перекрытия с этой моделью, изменены." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Изменено заполнение перекрытия с этой моделью." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Перекрытия с этой моделью не поддерживаются." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Интерфейс" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Валюта:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Тема:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Нарезать автоматически при изменении настроек." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Нарезать автоматически" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Поведение окна" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Отобразить нависания" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Показывать ошибки модели" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Центрировать камеру на выбранном объекте" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:365 +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:370 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Инвертировать направление увеличения камеры." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Увеличивать по мере движения мышкой?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Увеличивать по движению мышки" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Удостовериться, что модели размещены рядом" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 +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:436 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Автоматически опускать модели на стол" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:448 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Показывать предупреждающее сообщение в средстве считывания G-кода." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Предупреждающее сообщение в средстве считывания G-кода" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Должен ли слой быть переведён в режим совместимости?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:470 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Просматривать слои в режиме совместимости (требуется перезапуск)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:480 +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:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Восстановить положение окна при запуске" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Рендеринг камеры какого типа следует использовать?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Рендеринг камеры:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Перспективная" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Ортографическая" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Открытие и сохранение файлов" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Использовать один экземпляр Cura" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Масштабировать большие модели" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Масштабировать очень маленькие модели" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Выбрать модели после их загрузки?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Выбрать модели при загрузке" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Добавить префикс принтера к имени задачи" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:630 +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:634 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Показывать сводку при сохранении проекта" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:644 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Стандартное поведение при открытии файла проекта" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Стандартное поведение при открытии файла проекта: " + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Всегда спрашивать меня" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Всегда открывать как проект" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Всегда импортировать модели" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Всегда сбрасывать измененные настройки" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Всегда передавать измененные настройки новому профилю" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Приватность" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Проверять обновления при старте" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Отправлять (анонимно) информацию о печати" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Принтер" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Импортировать материал" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Экспортировать материал" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "Search settings" -msgstr "Параметры поиска" +msgid "Check all" +msgstr "Выбрать все" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Скопировать значение для всех экструдеров" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Экструдер" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -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, то нагрев будет отключен." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Спрятать этот параметр" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Текущая температура данного сопла." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -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 "Температура предварительного нагрева сопла." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -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 "Отмена" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Добавить принтер" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Идёт печать" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +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 +msgctxt "@label" +msgid "Profile" +msgstr "Профиль" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"Значения некоторых параметров отличаются от значений профиля.\n" +"\n" +"Нажмите для открытия менеджера профилей." + +#: /home/trin/Gedeeld/Projects/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 +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. Вместо этого будет использоваться функция по умолчанию" +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:33 +msgctxt "@label" +msgid "Experimental" +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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Постепенное заполнение" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Поддержки" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4919,32 +5159,32 @@ msgstr "" "\n" "Щёлкните, чтобы сделать эти параметры видимыми." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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 "Этот параметр не используется, поскольку все параметры, на которые он влияет, переопределяются." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Влияет на" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Зависит от" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Данная настройка всегда используется совместно всеми экструдерами. Изменение данного значения приведет к изменению значения для всех экструдеров." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Эта настройка получена из конфликтующих значений экструдера:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4955,7 +5195,7 @@ msgstr "" "\n" "Щёлкните для восстановления значения из профиля." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4966,716 +5206,308 @@ msgstr "" "\n" "Щёлкните для восстановления вычисленного значения." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Параметры поиска" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +msgctxt "@action:menu" +msgid "Copy value to all extruders" +msgstr "Скопировать значение для всех экструдеров" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:477 +msgctxt "@action:menu" +msgid "Copy all changed values to all extruders" +msgstr "Копировать все измененные значения для всех экструдеров" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Спрятать этот параметр" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Не показывать этот параметр" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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 "Трехмерный вид" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Вид спереди" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Вид сверху" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Вид слева" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Вид справа" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Экструдер" +msgid "View type" +msgstr "Просмотр типа" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Добавить облачный принтер" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Текущая температура данного сопла." +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Ожидается ответ от облака" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "В учетной записи нет принтеров?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Преднагрев" +msgid "Add printer manually" +msgstr "Добавить принтер вручную" -#: /mnt/projects/ultimaker/cura/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 "Нагрев сопла перед печатью. Можно продолжать настройки вашей печати во время нагрева, и вам не понадобится ждать нагрева сопла, когда вы будете готовы приступить к печати." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Цвет материала в данном экструдере." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Материал в данном экструдере." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Сопло, вставленное в данный экструдер." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Рабочий стол" +msgid "Manufacturer" +msgstr "Производитель" -#: /mnt/projects/ultimaker/cura/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, значит нагрев стола отключен." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Текущая температура горячего стола." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Температура преднагрева горячего стола." - -#: /mnt/projects/ultimaker/cura/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 "Нагрев горячего стола перед печатью. Вы можете продолжать настройки вашей печати, пока стол нагревается, и вам не понадобится ждать нагрева стола для старта печати." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Управление принтером" +msgid "Profile author" +msgstr "Автор профиля" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Положение толчковой подачи" +msgid "Printer name" +msgstr "Имя принтера" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Присвойте имя принтеру" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Добавить принтер" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Добавить сетевой принтер" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Расстояние толчковой подачи" +msgid "Add a non-networked printer" +msgstr "Добавить принтер, не подключенный к сети" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "Отправить G-код" +msgid "There is no printer found over your network." +msgstr "В вашей сети не найден принтер." -#: /mnt/projects/ultimaker/cura/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 (Ввод) для отправки команды." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Принтер не подключен." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "Печатается как поддержка." +msgid "Refresh" +msgstr "Обновить" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Другие модели, имеющие перекрытия с этой моделью, изменены." +msgid "Add printer by IP" +msgstr "Добавить принтер по IP-адресу" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Изменено заполнение перекрытия с этой моделью." +msgid "Add cloud printer" +msgstr "Добавить облачный принтер" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Перекрытия с этой моделью не поддерживаются." +msgid "Troubleshooting" +msgstr "Поиск и устранение неисправностей" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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 настроек." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Магазин" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "Правка" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Расширения" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Настройки" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "Справка" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Новый проект" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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 "Вы действительно желаете начать новый проект? Это действие очистит область печати и сбросит все несохранённые настройки." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Этот пакет будет установлен после перезапуска." +msgid "Add printer by IP address" +msgstr "Добавить принтер по IP-адресу" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Параметры" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Введите IP-адрес своего принтера." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Закрытие %1" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Добавить" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -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/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Не удалось подключиться к устройству." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -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 "От принтера с этим адресом еще не поступал ответ." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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 "Этот принтер невозможно добавить, поскольку это неизвестный принтер либо он не управляет группой." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Добавление принтера" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Назад" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Создайте бесплатную учетную запись Ultimaker" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Пропустить" + +#: /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 "" +"Выполните указанные ниже действия для настройки\n" +"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:28 +msgctxt "@label" msgid "What's New" msgstr "Что нового" -#: /mnt/projects/ultimaker/cura/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 "Облачный принтер не в сети. Убедитесь, что принтер включен и подключен к Интернету." - -#: /mnt/projects/ultimaker/cura/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, чтобы установить привязку." - -#: /mnt/projects/ultimaker/cura/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 "В настоящий момент нет подключения к облаку. Для подключения к облачному принтеру выполните вход." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "В настоящий момент нет подключения к облаку. Проверьте подключение к Интернету." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Добавить принтер" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Управление принтерами" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Подключенные принтеры" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Предварительно настроенные принтеры" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Оценка времени" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Оценка материала" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 м" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 г" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Нарезка на слои..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Невозможно нарезать" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "Обработка" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Нарезка на слои" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Запустить нарезку на слои" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "Отмена" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Оценка времени недоступна" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Оценка расходов недоступна" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Предварительный просмотр" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Предоставляет поддержку для подключения и записи на внешний носитель." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Плагин для работы с внешним носителем" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Обновляет конфигурации Cura 4.2 до Cura 4.3." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "Обновление версии 4.2 до 4.3" - -#: 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/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/VersionUpgrade26to27/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Обновляет настройки Cura 2.6 до Cura 2.7." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Обновление версии 2.6 до 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Обновляет настройки Cura 2.5 до Cura 2.6." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "Обновление версии 2.5 до 2.6" - -#: 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/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Обновляет настройки Cura 2.1 до Cura 2.2." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Обновление версии 2.1 до 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Обновляет конфигурации Cura 4.3 до Cura 4.4." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "Обновление версии 4.3 до 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Обновляет настройки Cura 3.4 до Cura 3.5." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "Обновление версии 3.4 до 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Обновляет настройки Cura 2.7 до Cura 3.0." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Обновление версии 2.7 до 3.0" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Обеспечивает поддержку чтения файлов AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Средство чтения AMF" - -#: 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-кода" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Обеспечение действий принтера для обновления прошивки." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Средство обновления прошивки" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Предоставляет поддержку для чтения X3D файлов." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "Чтение X3D" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Поиск, управление и установка новых пакетов Cura." - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -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 "Пост обработка" - -#: 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" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Принимает G-Code и отправляет его на принтер. Плагин также может обновлять прошивку." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "Печать через USB" - -#: 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" - -#: 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" - -#: 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" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Предоставляет поддержку для чтения 3MF файлов." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Чтение 3MF" - -#: 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-кода" - -#: 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-кода" +msgid "No items to select from" +msgstr "Нет элементов для выбора" #: ModelChecker/plugin.json msgctxt "description" @@ -5687,105 +5519,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Средство проверки моделей" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Проверяет наличие обновлений ПО." +msgid "Provides support for reading 3MF files." +msgstr "Предоставляет поддержку для чтения 3MF файлов." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Проверка обновлений" - -#: 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" - -#: 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 "Средство стирания элемента поддержки" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Предоставляет поддержку для чтения файлов моделей." - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -msgstr "Средство чтения Trimesh" - -#: 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 "Контрольный журнал" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Обеспечивает подготовительный этап в Cura." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Подготовительный этап" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Обеспечивает этап мониторинга в Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Этап мониторинга" - -#: XRayView/plugin.json -msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Предоставляет рентгеновский вид." - -#: XRayView/plugin.json -msgctxt "name" -msgid "X-Ray View" -msgstr "Просмотр в рентгене" +msgid "3MF Reader" +msgstr "Чтение 3MF" #: 3MFWriter/plugin.json msgctxt "description" @@ -5797,65 +5539,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "Запись 3MF" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Отправляет анонимную информацию о нарезке моделей. Может быть отключено через настройки." +msgid "Provides support for reading AMF files." +msgstr "Обеспечивает поддержку чтения файлов AMF." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Информация о нарезке модели" +msgid "AMF Reader" +msgstr "Средство чтения AMF" -#: 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Открытие вида моделирования." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Предоставляет интерфейс к движку CuraEngine." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Вид моделирования" - -#: 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 "Параметры принтера действие" - -#: 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 "Профили материалов" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Предоставляет просмотр твёрдого тела." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Обзор" +msgid "CuraEngine Backend" +msgstr "Движок CuraEngine" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5867,15 +5579,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Чтение профиля Cura" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Предоставляет поддержку для записи пакетов формата Ultimaker." +msgid "Provides support for exporting Cura profiles." +msgstr "Предоставляет поддержку для экспорта профилей Cura." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "Средство записи UFP" +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 "" + +#: DigitalLibrary/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 "Считывает 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" @@ -5897,15 +5679,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Чтение изображений" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Резервное копирование и восстановление конфигурации." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Предоставляет поддержку для импортирования профилей из устаревших версий Cura." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Резервные копии Cura" +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." +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 "Обеспечивает подготовительный этап в Cura." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Подготовительный этап" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Обеспечивает действия на этапе предварительного просмотра в Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Этап предварительного просмотра" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Предоставляет поддержку для подключения и записи на внешний носитель." + +#: RemovableDriveOutputDevice/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 "Обзор" + +#: 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 "Поиск, управление и установка новых пакетов Cura." + +#: 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 "Средство чтения 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Предоставляет поддержку для записи пакетов формата Ultimaker." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Средство записи UFP" + +#: 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" + +#: 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" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Принимает G-Code и отправляет его на принтер. Плагин также может обновлять прошивку." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "Печать через USB" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Обновляет настройки Cura 2.1 до Cura 2.2." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Обновление версии 2.1 до 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Обновляет настройки Cura 2.5 до Cura 2.6." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "Обновление версии 2.5 до 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Обновляет настройки Cura 2.6 до Cura 2.7." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Обновление версии 2.6 до 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Обновляет настройки Cura 2.7 до Cura 3.0." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Обновляет настройки Cura 3.4 до Cura 3.5." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "Обновление версии 3.4 до 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Обновляет конфигурации Cura 4.2 до Cura 4.3." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "Обновление версии 4.2 до 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Обновляет конфигурации Cura 4.3 до Cura 4.4." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "Предоставляет поддержку для чтения X3D файлов." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "Чтение X3D" + +#: 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 "Профили материалов" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Предоставляет рентгеновский вид." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Просмотр в рентгене" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." @@ -7712,8 +7924,7 @@ msgstr "Резервные копии Cura" #~ " - Thomas Karl Pietrowski" #~ msgstr "" #~ "Уважаемый клиент!\n" -#~ "В данный момент этот плагин запущен в операционной системе, отличной от Windows. Плагин функционирует исключительно под управлением ОС Windows с установленным ПО SolidWorks, для которого имеется подходящая лицензия. Установите данный плагин на принтер под управлением Windows с установленным ПО " -#~ "SolidWorks.\n" +#~ "В данный момент этот плагин запущен в операционной системе, отличной от Windows. Плагин функционирует исключительно под управлением ОС Windows с установленным ПО SolidWorks, для которого имеется подходящая лицензия. Установите данный плагин на принтер под управлением Windows с установленным ПО SolidWorks.\n" #~ "\n" #~ "С наилучшими пожеланиями,\n" #~ " - Томас Карл Петровски (Thomas Karl Pietrowski)" diff --git a/resources/i18n/ru_RU/fdmextruder.def.json.po b/resources/i18n/ru_RU/fdmextruder.def.json.po index 9a1285bc06..110b6180b6 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 5a1342ffc0..aa69be549a 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Russian , Ruslan Popov , Russian \n" @@ -3201,8 +3201,8 @@ msgstr "Макс. расстояние комб. без отката" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "При ненулевом значении перемещения комбинга, превышающие указанное расстояние, будут выполняться с откатом." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6402,6 +6402,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Матрица преобразования, применяемая к модели при её загрузке из файла." +#~ msgctxt "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "При ненулевом значении перемещения комбинга, превышающие указанное расстояние, будут выполняться с откатом." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Применить смещение экструдера к системе координат." diff --git a/resources/i18n/tr_TR/cura.po b/resources/i18n/tr_TR/cura.po index 78d74bfd2c..9a4e5c7545 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Turkish , Turkish \n" @@ -17,169 +17,180 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Makineler yükleniyor..." +#: /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:1612 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Tercihler ayarlanıyor..." +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Etkin Makine Başlatılıyor..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Mevcut ağ yazıcıları" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Makine yöneticisi başlatılıyor..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Geçersiz kılınmadı" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Yapı hacmi başlatılıyor..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Görünüm ayarlanıyor..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Arayüz yükleniyor..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Motor başlatılıyor..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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ı" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "Uyarı" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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ı" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "Hata" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "{0} yazıcısını kaldırmak istediğinizden emin misiniz? Bu işlem geri alınamaz!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "Özel Malzeme" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "Özel" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "Bilinmiyor" +msgid "Visual" +msgstr "Görsel" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "Özel Malzeme" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "Özel" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "Özel profiller" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Tüm desteklenen türler ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Tüm Dosyalar (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "Görsel" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "Giriş başarısız" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "Nesneler için yeni konum bulunuyor" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "Konumu Buluyor" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +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ı" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "Taslak" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "Konum Bulunamıyor" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Kullanıcı veri dizininden arşiv oluşturulamadı: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "Yedekle" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Mevcut ağ yazıcıları" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +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ı." -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Geçersiz kılınmadı" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +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ı." -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Yapı Disk Bölümü" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura başlatılamıyor" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -194,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Çökme raporunu Ultimaker’a gönder" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Ayrıntılı çökme raporu göster" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Yapılandırma Klasörünü Göster" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Yapılandırmayı Yedekle ve Sıfırla" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Çökme Raporu" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -230,658 +241,676 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Sistem bilgileri" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Bilinmiyor" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura sürümü" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura dili" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "İşletim sistemi dili" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platform" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt Sürümü" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt Sürümü" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Henüz başlatılmadı
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL Sürümü: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL Satıcısı: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Oluşturucusu: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Hata geri izleme" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Günlükler" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Rapor gönder" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "Giriş başarısız" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Makineler yükleniyor..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Tercihler ayarlanıyor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Etkin Makine Başlatılıyor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Makine yöneticisi başlatılıyor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Yapı hacmi başlatılıyor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Görünüm ayarlanıyor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Arayüz yükleniyor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Motor başlatılıyor..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "Uyarı" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "Hata" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +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:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Nesneler Yerleştiriliyor" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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ı." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -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." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "Ultimaker hesabı sunucusuna ulaşılamadı." - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +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:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "Dosya Zaten Mevcut" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Geçersiz dosya URL’si:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "Nozül" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ayarlar güncellendi" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Ekstrüder(ler) Devre Dışı Bırakıldı" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil {0} dosyasına aktarıldı" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "Dışa aktarma başarılı" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, 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:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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ı." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, 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:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "{0} profili başarıyla içe aktarıldı." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Dosya {0} geçerli bir profil içermemekte." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "Özel profil" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Profilde eksik bir kalite tipi var." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Henüz etkin bir yazıcı yok." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Profil eklenemiyor." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "Desteklenmiyor" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "Nesneler için yeni konum bulunuyor" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "Nozül" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +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/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "Konumu Buluyor" +msgid "Settings updated" +msgstr "Ayarlar güncellendi" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -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ı" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "Konum Bulunamıyor" +msgid "Extruder(s) Disabled" +msgstr "Ekstrüder(ler) Devre Dışı Bırakıldı" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "İptal Et" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "Grup #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "Atla" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Kapat" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Sonraki" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "Bitir" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "Dış Duvar" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "İç Duvarlar" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "Yüzey Alanı" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "Dolgu" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "Destek Dolgusu" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "Destek Arayüzü" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "Destek" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Etek" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "Astarlama Direği" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "Hareket" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "Geri Çekmeler" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "Diğer" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "Ekle" +msgid "Next" +msgstr "Sonraki" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "İptal Et" +msgid "Skip" +msgstr "Atla" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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/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" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Yapı Disk Bölümü" +msgid "3D Model Assistant" +msgstr "3D Model Yardımcısı" -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Kullanıcı veri dizininden arşiv oluşturulamadı: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "Yedekle" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -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ı." - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -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ı." - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Nesneler çoğaltılıyor ve yerleştiriliyor" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Nesneler Yerleştiriliyor" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Nesne Yerleştiriliyor" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Çıkarılabilir Sürücüye Kaydediliyor {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/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!" +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

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "Kaydediliyor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 #, 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}" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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ı." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Çıkarılabilir aygıta {0} kaydedilemedi: {1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 msgctxt "@info:title" -msgid "File Saved" -msgstr "Dosya Kaydedildi" +msgid "Open Project File" +msgstr "Proje Dosyası Aç" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -msgctxt "@action:button" -msgid "Eject" -msgstr "Çıkar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 #, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Çıkarılabilir aygıtı çıkar {0}" +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}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Donanımı Güvenli Bir Şekilde Kaldırın" +msgid "Can't Open Project File" +msgstr "Proje Dosyası Açılamıyor" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 #, 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." +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "Proje dosyası {0} bozuk: {1}." -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Çıkarılabilir Sürücü" +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:698 +#, 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ış." -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 +#: /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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF dosyası" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura Projesi 3MF dosyası" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" msgid "AMF File" msgstr "AMF Dosyası" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code dosyası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Aygıt Yazılımını Güncelle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D Dosyası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Reddet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Kabul ediyorum" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Eklenti Lisans Anlaşması" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Reddet ve hesaptan kaldır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{} eklenti indirilemedi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Senkronize ediliyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Ultimaker hesabınızda değişiklik tespit edildi" +msgid "Backups" +msgstr "Yedeklemeler" -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -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/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Yedeklemeniz yüklenirken bir hata oluştu." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Yedeklemeniz oluşturuluyor..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Senkronize et" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Yedeklemeniz oluşturulurken bir hata oluştu." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Model Başına Ayarlar" +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Yedeklemeniz yükleniyor..." -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Yedeklemenizin yüklenmesi tamamlandı." -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Son İşleme" +msgid "Manage backups" +msgstr "Yedeklemeleri yönet" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-Code Öğesini Değiştir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:title" msgid "Unable to slice" msgstr "Dilimlenemedi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 #, 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}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -894,75 +923,465 @@ msgstr "" "- Etkin bir ekstrüdere atanma\n" "- Değiştirici kafesler olarak ayarlanmama" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 msgctxt "@info:title" msgid "Information" msgstr "Bilgi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB yazdırma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "USB ile yazdır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "USB ile yazdır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "USB ile bağlı" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Baskı Sürüyor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /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 Profili" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Ağ ile Bağlan" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Güncelleme bilgilerine erişilemedi." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 +#: /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 not already at the latest version, 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 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s firmware available" +msgstr "Yeni %s bellenimi mevcut" + +#: /home/trin/Gedeeld/Projects/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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "Kaydediliyor" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Dosya Kaydedildi" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "Çıkar" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, 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:163 +#, 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:163 +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:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Simülasyon Görünümü" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +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:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Görüntülenecek katman yok" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Daha fazla bilgi edinin" + +#: /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:93 +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:89 +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:38 +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:20 +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 +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/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 Biçim Paketi" + +#: /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 +msgctxt "@action" +msgid "Level build plate" +msgstr "Yapı levhasını dengele" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Yükseltmeleri seçin" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Bulut üzerinden yazdır" + +#: /home/trin/Gedeeld/Projects/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:270 +#, 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:227 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -970,70 +1389,71 @@ msgid_plural "... and {0} others" msgstr[0] "... ve {0} diğeri" msgstr[1] "... ve {0} diğeri" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Digital Factory'den eklenen yazıcılar:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 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ış:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Yazıcı yapılandırmalarını koru" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 msgctxt "@action:button" msgid "Remove printers" msgstr "Yazıcıları kaldır" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 #, 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 #, 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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 #, 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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 msgctxt "@title:window" msgid "Remove printers?" msgstr "Yazıcılar kaldırılsın mı?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 #, python-brace-format msgctxt "@label" msgid "" @@ -1049,7 +1469,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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1058,1532 +1478,761 @@ msgstr "" "Tüm yazıcıları Cura'dan kaldırmak üzeresiniz. Bu işlem geri alınamaz.\n" "Devam etmek istediğinizden emin misiniz?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Bulut üzerinden yazdır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Bulut üzerinden yazdır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Bulut üzerinden bağlı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "yarın" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "bugün" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Yazdırma İşi Gönderiliyor" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Grup ana makinesi değil" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "Grubu yapılandır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 msgctxt "@info:status" msgid "Send and monitor print jobs from anywhere using your Ultimaker account." msgstr "Ultimaker hesabınızı kullanarak yazdırma görevlerini dilediğiniz yerden gönderin ve görüntüleyin." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 msgctxt "@info:status Ultimaker Cloud should not be translated." msgid "Connect to Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory'e Bağlan" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 msgctxt "@action" msgid "Get started" msgstr "Başlayın" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Mevcut iş gönderilene kadar bekleyin." +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 msgctxt "@info:title" -msgid "Print error" -msgstr "Baskı hatası" +msgid "Update your printer" +msgstr "Yazıcınızı güncelleyin" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Ağ hatası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +#: /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:35 +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 msgctxt "@info:title" msgid "Queue Full" msgstr "Kuyruk Dolu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 msgctxt "@info:title" msgid "Data Sent" msgstr "Veri Gönderildi" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Yazıcınızı güncelleyin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 msgctxt "@properties:tooltip" msgid "Print over network" msgstr "Ağ üzerinden yazdır" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +#: /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ı" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Select upgrades" -msgstr "Yükseltmeleri seçin" +msgid "Connect via Network" +msgstr "Ağ ile Bağlan" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Yapı levhasını dengele" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Önerilen Ayarlar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Özel" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Proje Dosyası Aç" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "Proje Dosyası Açılamıyor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, 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}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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ış." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF Dosyası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Sıkıştırılmış G-code Dosyası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter yazı modunu desteklemez." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "3D Model Yardımcısı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 -#, python-brace-format +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 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 "tomorrow" +msgstr "yarın" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Güncelleme bilgilerine erişilemedi." - -#: /mnt/projects/ultimaker/cura/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 not already at the latest version, 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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s firmware available" -msgstr "Yeni %s bellenimi mevcut" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 -msgctxt "@action:button" -msgid "How to update" -msgstr "Nasıl güncellenir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G Dosyası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-code ayrıştırma" +msgid "today" +msgstr "bugün" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB yazdırma" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "USB ile yazdır" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Destek Engelleyici" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Desteklerin yazdırılmadığı bir hacim oluşturun." +msgid "Print via USB" +msgstr "USB ile yazdır" -#: /mnt/projects/ultimaker/cura/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/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "USB ile bağlı" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Baskı Sürüyor" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "X3D File" +msgstr "X3D Dosyası" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Biçim Paketi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 profilleri" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Hazırla" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Görüntüle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 msgctxt "@item:inlistbox" msgid "X-Ray view" msgstr "Röntgen Görüntüsü" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "3mf dosyasını yazarken hata oluştu." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF dosyası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura Projesi 3MF dosyası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF Writer eklentisi bozuk." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Önizleme" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Katman görünümü" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Simülasyon Görünümü" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Görüntülenecek katman yok" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Bu mesajı bir daha gösterme" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Makine Ayarları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Gerçek görünüm" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Model hataları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Daha fazla bilgi edinin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "UFP dosyasına yazamıyor:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter metin dışı modu desteklemez." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG Resmi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG Resmi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG Resmi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP Resmi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF Resmi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Yedeklemeniz geri yüklenirken bir hata oluştu." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "Yedeklemeler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Yedeklemeniz yüklenirken bir hata oluştu." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Yedeklemeniz oluşturuluyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Yedeklemeniz oluşturulurken bir hata oluştu." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Yedeklemeniz yükleniyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Yedeklemenizin yüklenmesi tamamlandı." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Yedekleme maksimum dosya boyutunu aşıyor." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Yedeklemeleri yönet" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aygıt Yazılımını Güncelle" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Aygıt Yazılımını otomatik olarak yükselt" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Özel Aygıt Yazılımı Yükle" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Özel aygıt yazılımı seçin" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aygıt Yazılımı Güncellemesi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aygıt yazılımı güncelleniyor." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aygıt yazılımı güncellemesi tamamlandı." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "Mağaza" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Hesabınızda değişiklik var" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Kapat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "Sonraki" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Aşağıdaki paketler eklenecek:" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Kaldırmayı onayla" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Malzemeler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profiller" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Onayla" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Topluluk Katkıları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Topluluk Eklentileri" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Genel Materyaller" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Sürüm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Son güncelleme" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marka" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "İndirmeler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Yüklü eklentiler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Hiç eklenti yüklenmedi." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Yüklü malzemeler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Hiç malzeme yüklenmedi." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Paketli eklentiler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Paketli malzemeler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Web sitesi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-posta" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "Giriş yap" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Paketler alınıyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Uyumluluk" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Makine" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Baskı tepsisi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Destek" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Kalite" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Teknik Veri Sayfası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Güvenlik Veri Sayfası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Yazdırma Talimatları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Web sitesi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Eklentiler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Malzemeler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Yüklü" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Web Mağazasına Git" +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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Yeniden başlatıldığında kurulacak" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "Güncelle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "Güncelleniyor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "Güncellendi" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "Eski Sürümü Yükle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Kaldır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Yüklü" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "Malzeme ara" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Geri" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Yükle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Ağ Tipi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normal model" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Destek olarak yazdır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Çakışma ayarlarını değiştir" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Çakışmaları destekleme" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Yalnızca dolgu kafes" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Kesme Örgüsü" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Ayarları seçin" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrele..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Tümünü göster" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Son İşleme Uzantısı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Son İşleme Dosyaları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 -msgctxt "@action" -msgid "Add a script" -msgstr "Dosya ekle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 -msgctxt "@label" -msgid "Settings" -msgstr "Ayarlar" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Etkin ileri işleme komut dosyalarını değiştirin." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Kuyrukta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Tarayıcıda yönet" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Yazdırma görevleri" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Toplam yazdırma süresi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Bekleniyor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Yapılandırma Değişiklikleri" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Geçersiz kıl" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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)." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "Cam" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alüminyum" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Kullanım dışı yazıcı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "İlk kullanılabilen" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Ağ Yazıcısına Bağlan" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Düzenle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Kaldır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Yenile" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tür" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Üretici yazılımı sürümü" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adres" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Bağlan" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Geçersiz IP adresi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Yazıcı Adresi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "Tamam" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Ağ üzerinden yazdır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "Yazdır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 -msgctxt "@label" -msgid "Printer selection" -msgstr "Yazıcı seçimi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "En üste taşı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Sil" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Devam et" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Duraklatılıyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Devam ediliyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Duraklat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "İptal ediliyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Durdur" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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şı" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Yazdırma işini sil" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Yazdırmayı durdur" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Durduruldu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Tamamlandı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Hazırlanıyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "İptal ediliyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Duraklatılıyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Duraklatıldı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Devam ediliyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Eylem gerekli" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "%1 bitiş tarihi: %2" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Yükleniyor..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Mevcut değil" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Ulaşılamıyor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Boşta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Yazdırma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Başlıksız" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonim" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Yapılandırma değişiklikleri gerekiyor" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detaylar" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Yapı Levhası Dengeleme" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Yapı Levhasını Dengelemeyi Başlat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Sonraki Konuma Taşı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Proje Aç" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Var olanları güncelleştir" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Yeni oluştur" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Özet - Cura Projesi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "Yazıcı ayarları" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "Tür" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "Yazıcı Grubu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "Profil ayarları" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "İsim" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "Profilde değil" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 geçersiz kılma" msgstr[1] "%1 geçersiz kılmalar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Kaynağı" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Malzeme ayarları" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Görünürlük ayarı" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mod" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Görünür ayarlar:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 / %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "Bir projenin yüklenmesi derleme levhasındaki tüm modelleri siler." -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Aç" -#: /mnt/projects/ultimaker/cura/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/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?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Yedeklemeyi Sil" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Yedeklemeyi Geri Yükle" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura Yedeklemeleri" + +#: /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:199 +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 +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/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 "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/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/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/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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "Resim Dönüştürülüyor..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "Yükseklik (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "Taban (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "Genişlik (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "Derinlik (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "Daha koyu olan daha yüksek" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "Yarı saydamlık" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "1 mm Geçirgenlik (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@action:button" +msgid "OK" +msgstr "Tamam" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Yazıcı" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Nozül Ayarları" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Nozzle boyutu" + +#: /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" +msgstr "Uyumlu malzeme çapı" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Nozül X ofseti" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Nozül Y ofseti" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Soğutma Fanı Numarası" + +#: /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/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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Genişlik)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Derinlik)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Yükseklik)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Yapı levhası şekli" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Merkez nokta" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Isıtılmış yatak" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Isıtılmış yapı hacmi" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-code türü" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Yazıcı Başlığı Ayarları" + +#: /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 maks" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y maks" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Portal Yüksekliği" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Ekstrüder Sayısı" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Ekstrüder ofsetlerini GCode'a uygula" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-code’u Başlat" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-code’u Sonlandır" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2596,1364 +2245,971 @@ 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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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 "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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "Yalnızca dolgu kafes" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "Kesme Örgüsü" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Ayarları seçin" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Anonim veri toplama hakkında daha fazla bilgi" +msgid "Select Settings to Customize for this model" +msgstr "Bu modeli Özelleştirmek için Ayarları seçin" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrele..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Tümünü göster" -#: /mnt/projects/ultimaker/cura/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/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "Son İşleme Uzantısı" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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 +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/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/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" msgid "Color scheme" msgstr "Renk şeması" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "Malzeme Rengi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "Çizgi Tipi" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "Hız" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "Katman kalınlığı" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "Hat Genişliği" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "Uyumluluk Modu" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "Geçişler" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "Yardımcılar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "Kabuk" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "Başlangıçlar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "Yalnızca Üst Katmanları Göster" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "Üst / Alt" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "İç Duvar" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "min" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "maks" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Nozül Ayarları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Nozzle boyutu" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Uyumlu malzeme çapı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Nozül X ofseti" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Nozül Y ofseti" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Soğutma Fanı Numarası" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Ekstruder G-Code'u Başlatma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Ekstruder G-Code'u Sonlandırma" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Yazıcı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Yazıcı Ayarları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Genişlik)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Derinlik)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Yükseklik)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Yapı levhası şekli" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Merkez nokta" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Isıtılmış yatak" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Isıtılmış yapı hacmi" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "G-code türü" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Yazıcı Başlığı Ayarları" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X maks" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y maks" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Portal Yüksekliği" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Ekstrüder Sayısı" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Ekstrüder ofsetlerini GCode'a uygula" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-code’u Başlat" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-code’u Sonlandır" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "Resim Dönüştürülüyor..." +msgid "More information on anonymous data collection" +msgstr "Anonim veri toplama hakkında daha fazla bilgi" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "Yükseklik (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "Taban (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "Genişlik (mm)" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "Derinlik (mm)" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "Daha koyu olan daha yüksek" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "Daha açık olan daha yüksek" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "Doğrusal" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "Yarı saydamlık" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "1 mm Geçirgenlik (%)" - -#: /mnt/projects/ultimaker/cura/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ı." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "Düzeltme" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Yedeklemelerim" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Şimdi Yedekle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Otomatik Yedekle" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura Sürümü" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Makineler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Malzemeler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profiller" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Eklentiler" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Geri Yükle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Yedeklemeyi Sil" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Yedeklemeyi Geri Yükle" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura Yedeklemeleri" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Malzeme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoriler" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Dosya" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Projeyi Kaydet..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Dışa Aktar..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Seçimi Dışa Aktar..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "En Son Öğeyi Aç" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "Yapılandırma seç" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "Yapılandırmalar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Yapılandırmalar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Özel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Yazıcı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Etkin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Malzeme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mağaza" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Kullanılabilir yapılandırmalar yazıcıdan yükleniyor..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Görünüm" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Kamera konumu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Kamera görüşü" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektif" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortografik" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Yapı levhası" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Ağ etkin yazıcılar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Yerel yazıcılar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Görünür ayarlar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Tüm Kategorileri Daralt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Ayar Görünürlüğünü Yönet..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Ayarlar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Yazıcı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Malzeme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Etkin Ekstruder olarak ayarla" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Ekstruderi Etkinleştir" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Ekstruderi Devre Dışı Bırak" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Projeyi Kaydet..." - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Kopya Sayısı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Dosya Aç..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "Özel profiller" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Geçerli değişiklikleri iptal et" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"Bazı ayar/geçersiz kılma değerleri profilinizde saklanan değerlerden farklıdır.\n" -"\n" -"Profil yöneticisini açmak için tıklayın." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Açık" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Kapalı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "Deneysel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Önerilen" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Özel" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "Yazdırma ayarları" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Aşamalı dolgu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "Profiller" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "Destek" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Yapıştırma" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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." - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "Seçilecek öğe yok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "Geçerli yazdırma" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "İşin Adı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "Yazdırma süresi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "Kalan tahmini süre" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "Değişiklikleri iptal et veya kaydet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"Bazı profil ayarlarını özelleştirdiniz.\n" -"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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "Profil ayarları" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "Mevcut değişiklikler" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "Her zaman sor" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "İptal et ve bir daha sorma" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "Kaydet ve bir daha sorma" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "Değişiklikleri sil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "Değişiklikleri tut" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "%1 hakkında" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "sürüm: %1" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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, 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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "Grafik kullanıcı arayüzü" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "Uygulama çerçevesi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "G-code oluşturucu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "İşlemler arası iletişim kitaplığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "Programlama dili" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI çerçevesi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUI çerçeve bağlantıları" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C/C++ Bağlantı kitaplığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "Veri değişim biçimi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "Bilimsel bilgi işlem için destek kitaplığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "Daha hızlı matematik için destek kitaplığı" - -#: /mnt/projects/ultimaker/cura/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ığı" - -#: /mnt/projects/ultimaker/cura/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ığı" - -#: /mnt/projects/ultimaker/cura/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ığı" - -#: /mnt/projects/ultimaker/cura/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ığı" - -#: /mnt/projects/ultimaker/cura/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ığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "Seri iletişim kitaplığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConf keşif kitaplığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "Poligon kırpma kitaplığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Python için statik tür denetleyicisi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Python Hata takip kitaplığı" - -#: /mnt/projects/ultimaker/cura/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ığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "libnest2d için Python bağlamaları" - -#: /mnt/projects/ultimaker/cura/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ığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Microsoft Windows için Python uzantıları" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "Yazı tipi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG simgeleri" - -#: /mnt/projects/ultimaker/cura/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ı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Dosya aç" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "Tümünü model olarak içe aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Projeyi Kaydet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Ekstruder %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & malzeme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "Malzeme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Kaydederken proje özetini bir daha gösterme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "Kaydet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "Proje dosyası aç" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "Anonim veri göndermek istemiyorum" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Seçimimi hatırla" +msgid "Allow sending anonymous data" +msgstr "Anonim veri gönderilmesine izin ver" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "Proje olarak aç" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "Modelleri içe aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Başlıksız" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Ultimaker Cura'ya hoş geldiniz" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Başlayın" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Boş" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Makine türleri" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Malzeme kullanımı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Dilim sayısı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Yazdırma ayarları" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Daha fazla bilgi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "IP adresine göre bir yazıcı ekleyin" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Ekle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Cihaza bağlanılamadı." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "Geri" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Web Mağazasına Git" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Malzeme ara" + +#: /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:457 +#: /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 +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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Yüklü malzemeler" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +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:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Paketli eklentiler" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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/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/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/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Sonraki Konuma Taşı" + +#: /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/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/trin/Gedeeld/Projects/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/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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "Bir yazıcı ekleyin" +msgid "Enter the IP address of your printer on the network." +msgstr "Ağdaki yazıcınızın IP adresini girin." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "Bir ağ yazıcısı ekleyin" +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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Ağ dışı bir yazıcı ekleyin" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "Yenilikler" +msgid "Change material %1 from %2 to %3." +msgstr "%2 olan %1 malzemesini %3 yapın." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Bulut yazıcısı ekle" +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)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Bulut yanıtı bekleniyor" +msgid "Change print core %1 from %2 to %3." +msgstr "%2 olan %1 print core'u %3 yapın." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Hesabınızda hiç yazıcı bulunamıyor mu?" +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)." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 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:" +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." -#: /mnt/projects/ultimaker/cura/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/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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Ağ üzerinden yazdır" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "Yazdır" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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" -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Ücretsiz Ultimaker Hesabı oluşturun" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "Atla" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Kullanıcı Anlaşması" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Reddet ve kapat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Sürüm notları" - -#: /mnt/projects/ultimaker/cura/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ı." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Yenile" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "IP'ye göre bir yazıcı ekleyin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Bulut yazıcısı ekle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Sorun giderme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Üretici" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "Profil sahibi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "Yazıcı adı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Lütfen yazıcınızı adlandırın" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Son güncelleme: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker hesabı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "Çıkış yap" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3964,935 +3220,1921 @@ msgstr "" "- 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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Giriş yap" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "Kontrol ediliyor..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "Hesap senkronize edildi" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "Bir sorun oluştu..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "Bekleyen güncellemeleri yükle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "Hesap güncellemelerini kontrol et" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Nesne listesi" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Son güncelleme: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker hesabı" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "Dilimleniyor..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "Dilimlenemedi" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "İşleme" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "Dilimle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "Dilimleme sürecini başlat" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "Tam Ekrana Geç" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "Tam Ekrandan Çık" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "&Geri Al" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "&Yinele" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "&Çıkış" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "3 Boyutlu Görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "Önden Görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "Yukarıdan Görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "Sol Taraftan Görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "Sağ Taraftan Görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "Cura’yı yapılandır..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "&Yazıcı Ekle..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "Yazıcıları Yönet..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "Malzemeleri Yönet..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "Mağazadan daha fazla malzeme ekle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "&Profili geçerli ayarlar/geçersiz kılmalar ile güncelle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "&Geçerli değişiklikleri iptal et" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "G&eçerli ayarlardan/geçersiz kılmalardan profil oluştur..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "Profilleri Yönet..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "Çevrimiçi Belgeleri Göster" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "Hata Bildir" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "Yenilikler" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "Hakkında..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "Seçileni Sil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "Seçileni Ortala" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "Seçileni Çoğalt" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "Modeli Sil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "Modeli Platformda Ortala" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "Modelleri Gruplandır" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "Model Grubunu Çöz" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "&Modelleri Birleştir" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "&Modeli Çoğalt..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "Tüm modelleri Seç" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "Yapı Levhasını Temizle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "Tüm Modelleri Yeniden Yükle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "Tüm Modelleri Tüm Yapı Levhalarına Yerleştir" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "Tüm Modelleri Düzenle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "Seçimi Düzenle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "Tüm Model Konumlarını Sıfırla" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "Tüm Model ve Dönüşümleri Sıfırla" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "&Dosya Aç..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "&Yeni Proje..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "Yapılandırma Klasörünü Göster" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "Görünürlük ayarını yapılandır..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "&Mağazayı Göster" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Hesaplanmış" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ayar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Geçerli" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Birim" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Bilgi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Çap Değişikliğini Onayla" - -#: /mnt/projects/ultimaker/cura/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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "Görünen Ad" +msgid "This package will be installed after restarting." +msgstr "Bu paket yeniden başlatmanın ardından kurulacak." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Malzeme Türü" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Renk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Özellikler" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Yoğunluk" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Çap" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Filaman masrafı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Filaman ağırlığı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Filaman uzunluğu" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Metre başına maliyet" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Malzemeyi Ayır" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Tanım" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Yapışma Bilgileri" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Etkinleştir" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Oluştur" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Çoğalt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "İçe Aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Dışa Aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "Yazıcı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Kaldırmayı Onayla" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Malzemeyi İçe Aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -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ı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Malzemeyi Dışa Aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -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ı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Yazıcılar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Yeniden adlandır" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profiller" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Oluştur" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Çoğalt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profil Oluştur" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profili Çoğalt" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profili Yeniden Adlandır" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profili İçe Aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profili Dışa Aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Yazıcı: %1" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Küresel Ayarlar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Görünürlüğü Ayarlama" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Tümünü denetle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "Genel" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ayarlar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Yazıcılar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profiller" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 kapatılıyor" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:627 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +msgctxt "@title:window" +msgid "Open file(s)" +msgstr "Dosya aç" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Paketi Kur" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Dosya Aç" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Yazıcı Ekle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "Yenilikler" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "Arayüz" +msgid "version: %1" +msgstr "sürüm: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "Para Birimi:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "Kaynaşık filaman 3B yazdırma için kalıcı çözüm." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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, 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 msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" +msgid "Graphical user interface" +msgstr "Grafik kullanıcı arayüzü" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 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." +msgid "Application framework" +msgstr "Uygulama çerçevesi" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Ayarlar değiştirilirken otomatik olarak dilimle." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Otomatik olarak dilimle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "Görünüm şekli" +msgid "G-code generator" +msgstr "G-code oluşturucu" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "İşlemler arası iletişim kitaplığı" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Dışarıda kalan alanı göster" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "Programlama dili" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUI çerçevesi" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Model hatalarını görüntüle" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUI çerçeve bağlantıları" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "C/C++ Bağlantı kitaplığı" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +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 +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 +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 +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 +msgctxt "@label" +msgid "Serial communication library" +msgstr "Seri iletişim kitaplığı" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon clipping library" +msgstr "Poligon kırpma kitaplığı" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Python Error tracking library" +msgstr "Python Hata takip kitaplığı" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +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 +msgctxt "@label" +msgid "Font" +msgstr "Yazı tipi" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Proje dosyası aç" + +#: /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 "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/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 msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Öğeyi seçince kamerayı ortalayın" +msgid "Open as project" +msgstr "Proje olarak aç" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Kamera yakınlaştırma yönünü ters çevir." +msgid "Import models" +msgstr "Modelleri içe aktar" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "Değişiklikleri iptal et veya kaydet" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"Bazı profil ayarlarını özelleştirdiniz.\n" +"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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "Profil ayarları" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "Mevcut değişiklikler" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Modellerin birbirinden ayrı olduğundan emin olduğundan emin olun" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Modelleri otomatik olarak yapı tahtasına indirin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "G-code okuyucuda uyarı mesajı göster." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-code okuyucuda uyarı mesajı" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Katman, uyumluluk moduna zorlansın mı?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -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)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Cura kapatıldığı yerden mi başlatılsın?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Başlangıçtaki pencere konumuna dönülsün" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Kamera oluşturma:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "Perspektif" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "Ortografik" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Dosyaların açılması ve kaydedilmesi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Tek bir Cura örneği kullan" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Büyük modelleri ölçeklendirin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Çok küçük modelleri ölçeklendirin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Yüklendikten sonra modeller seçilsin mi?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Yüklendiğinde modelleri seç" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Makine ön ekini iş adına ekleyin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Bir proje dosyasını kaydederken özet gösterilmeli mi?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Projeyi kaydederken özet iletişim kutusunu göster" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Bir proje dosyası açıldığında varsayılan davranış" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Bir proje dosyası açıldığında varsayılan davranış: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Her zaman sor" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Her zaman proje olarak aç" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Her zaman modelleri içe aktar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -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ış: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Değiştirilen ayarları her zaman at" +msgid "Discard and never ask again" +msgstr "İptal et ve bir daha sorma" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Değiştirilen ayarları her zaman yeni profile taşı" +msgid "Keep and never ask again" +msgstr "Kaydet ve bir daha sorma" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "Gizlilik" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -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?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Başlangıçta güncellemeleri kontrol edin" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(Anonim) yazdırma bilgisi gönder" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "Daha fazla bilgi" +msgid "Discard changes" +msgstr "Değişiklikleri sil" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "Değişiklikleri tut" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "Tümünü model olarak içe aktar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Projeyi Kaydet" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Ekstruder %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & malzeme" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "Malzeme" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +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:300 +msgctxt "@action:button" +msgid "Save" +msgstr "Kaydet" + +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Uzantılar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Tercihler" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Yardım" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "Yeni proje" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "Görüntüleme tipi" +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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +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:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "Yapılandırma seç" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "Yazdırılıyor..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "Duraklatıldı" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "Hazırlanıyor..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "Yazdırmayı Durdur" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Destek olarak basıldı." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +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:120 +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:123 +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:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "Arayüz" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "Para Birimi:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +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:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Otomatik olarak dilimle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Görünüm şekli" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Dışarıda kalan alanı göster" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +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:350 +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:355 +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:365 +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:370 +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:386 +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:386 +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:391 +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:417 +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:422 +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:431 +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:436 +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:448 +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:457 +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:465 +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:470 +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:480 +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:485 +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:495 +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:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Kamera oluşturma:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "Perspektif" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "Ortografik" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Dosyaların açılması ve kaydedilmesi" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +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:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Büyük modelleri ölçeklendirin" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +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:600 +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:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Yüklendiğinde modelleri seç" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +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:630 +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:634 +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:644 +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:652 +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:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Her zaman sor" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +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:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Her zaman modelleri içe aktar" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +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:735 +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:770 +msgctxt "@label" +msgid "Privacy" +msgstr "Gizlilik" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +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:792 +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:797 +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:806 +msgctxt "@action:button" +msgid "More information" +msgstr "Daha fazla bilgi" + +#: /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 "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Yazıcı" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Malzemeyi İçe Aktar" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Malzemeyi Dışa Aktar" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "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 "Search settings" -msgstr "Arama ayarları" +msgid "Check all" +msgstr "Tümünü denetle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "Değeri tüm ekstruderlere kopyala" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Ekstrüder" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "Bu ayarı gizle" +#: /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ığı." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -msgstr "Bu ayarı gösterme" +#: /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ığı." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -msgstr "Bu ayarı görünür yap" +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "Yazıcı ekle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "Geçerli yazdırma" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +msgstr "İşin Adı" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Estimated time left" +msgstr "Kalan tahmini süre" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@tooltip" +msgid "" +"Some setting/override values are different from the values stored in the profile.\n" +"\n" +"Click to open the profile manager." +msgstr "" +"Bazı ayar/geçersiz kılma değerleri profilinizde saklanan değerlerden farklıdır.\n" +"\n" +"Profil yöneticisini açmak için tıklayın." + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +msgstr "Deneysel" + +#: /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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "Aşamalı dolgu" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "Destek" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4903,32 +5145,32 @@ msgstr "" "\n" "Bu ayarları görmek için tıklayın." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Etkileri" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr ".........den etkilenir" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Bu ayar, çakışan ekstrüdere özgü değerlerden çözümlenir:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4939,7 +5181,7 @@ msgstr "" "\n" "Profil değerini yenilemek için tıklayın." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4950,714 +5192,308 @@ msgstr "" "\n" "Hesaplanan değeri yenilemek için tıklayın." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "Arama ayarları" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +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:477 +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:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "Bu ayarı gizle" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "Bu ayarı gösterme" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "Önden Görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "Yukarıdan Görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "Sol görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "Sağ görünüm" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "Ekstrüder" +msgid "View type" +msgstr "Görüntüleme tipi" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Bulut yazıcısı ekle" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Bulut yanıtı bekleniyor" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Hesabınızda hiç yazıcı bulunamıyor mu?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "İptal Et" +#: /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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "Ön ısıtma" +msgid "Add printer manually" +msgstr "Yazıcıyı manuel olarak ekle" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Bu ekstruderdeki malzemenin rengi." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Bu ekstruderdeki malzeme." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Bu ekstrudere takılan nozül." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "Yapı levhası" +msgid "Manufacturer" +msgstr "Üretici" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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ığı." - -#: /mnt/projects/ultimaker/cura/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ığı." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "Yazıcı kontrolü" +msgid "Profile author" +msgstr "Profil sahibi" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "Jog Konumu" +msgid "Printer name" +msgstr "Yazıcı adı" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +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 "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "Bir yazıcı ekleyin" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "Bir ağ yazıcısı ekleyin" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "Jog Mesafesi" +msgid "Add a non-networked printer" +msgstr "Ağ dışı bir yazıcı ekleyin" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "G-code Gönder" +msgid "There is no printer found over your network." +msgstr "Ağınızda yazıcı bulunamadı." -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Yazıcı bağlı değil." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "Destek olarak basıldı." +msgid "Refresh" +msgstr "Yenile" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Bu model ile çakışan diğer modeller değiştirilir." +msgid "Add printer by IP" +msgstr "IP'ye göre bir yazıcı ekleyin" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Bu model ile çakışan dolgu değiştirilir." +msgid "Add cloud printer" +msgstr "Bulut yazıcısı ekle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Bu model ile çakışmalar desteklenmez." +msgid "Troubleshooting" +msgstr "Sorun giderme" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mağaza" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "Düz&enle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Uzantılar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Tercihler" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Yardım" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "Yeni proje" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Bu paket yeniden başlatmanın ardından kurulacak." +msgid "Add printer by IP address" +msgstr "IP adresine göre bir yazıcı ekleyin" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ayarlar" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 kapatılıyor" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Ekle" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -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/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Cihaza bağlanılamadı." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Paketi Kur" +#: /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?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Dosya Aç" +#: /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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Yazıcı Ekle" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "Geri" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Ücretsiz Ultimaker Hesabı oluşturun" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "Atla" + +#: /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." +msgstr "" +"Ultimaker Cura'yı kurmak\n" +" için lütfen aşağıdaki adımları izleyin. Bu sadece birkaç saniye sürecektir." + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "Yenilikler" -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "Yazıcı ekle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "Yazıcıları yönet" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "Bağlı yazıcılar" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Önayarlı yazıcılar" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Süre tahmini" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Malzeme tahmini" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "Dilimleniyor..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "Dilimlenemedi" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "İşleme" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "Dilimle" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "Dilimleme sürecini başlat" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "İptal" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Süre tahmini yok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Maliyet tahmini yok" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Önizleme" - -#: RemovableDriveOutputDevice/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." - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Çıkarılabilir Sürücü Çıkış Cihazı Eklentisi" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "Yapılandırmaları Cura 4.2'den Cura 4.3'e yükseltir." - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "4.2'den 4.3'e 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/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/VersionUpgrade26to27/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." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "2.6’dan 2.7’ye Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "Yapılandırmaları Cura 2.5’ten Cura 2.6’ya yükseltir." - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "2.5’ten 2.6’ya 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/VersionUpgrade21to22/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." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "2.1’den 2.2’ye 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "Yapılandırmaları Cura 4.3'ten Cura 4.4'e yükseltir." - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "4.3'ten 4.4'e Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "Yapılandırmaları Cura 3.4’ten Cura 3.5’e yükseltir." - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "3.4’ten 3.5’e Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade27to30/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." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "2.7’den 3.0’a Sürüm Yükseltme" - -#: 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" - -#: 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" - -#: 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" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "X3D dosyalarının okunması için destek sağlar." - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3D Okuyucu" - -#: 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" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Model Başına Ayarları sağlar." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Model Başına Ayarlar Aracı" - -#: 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" - -#: 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ç" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "G-Code’ları kabul eder ve bir yazıcıya gönderir. Eklenti aynı zamanda üretici sürümünü güncelleyebilir." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB yazdırma" - -#: 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ı" - -#: 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ı" - -#: 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" - -#: 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" - -#: 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ı" - -#: 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" +msgid "No items to select from" +msgstr "Seçilecek öğe yok" #: ModelChecker/plugin.json msgctxt "description" @@ -5669,105 +5505,15 @@ msgctxt "name" msgid "Model Checker" msgstr "Model Kontrol Edici" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Bellenim güncellemelerini denetler." +msgid "Provides support for reading 3MF files." +msgstr "3MF dosyalarının okunması için destek sağlar." -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Bellenim Güncelleme Denetleyicisi" - -#: 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" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Belirli yerlerde desteğin yazdırılmasını engellemek için bir silici yüzey oluşturur" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Destek Silici" - -#: 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" - -#: 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çü" - -#: 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" - -#: 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" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Cura’da hazırlık aşaması sunar." - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "Hazırlık Aşaması" - -#: 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ı" - -#: 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ü" +msgid "3MF Reader" +msgstr "3MF Okuyucu" #: 3MFWriter/plugin.json msgctxt "description" @@ -5779,65 +5525,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF Yazıcı" -#: SliceInfoPlugin/plugin.json +#: AMFReader/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." +msgid "Provides support for reading AMF files." +msgstr "AMF dosyalarının okunması için destek sağlar." -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Dilim bilgisi" +msgid "AMF Reader" +msgstr "AMF 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" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Simülasyon görünümünü sunar." +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "CuraEngine arka dilimleme ucuna bağlantı sağlar." -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "Simülasyon Görünümü" - -#: 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" - -#: 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" - -#: 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 "CuraEngine Backend" +msgstr "CuraEngine Arka Uç" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5849,15 +5565,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Cura Profil Okuyucu" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Ultimaker Biçim Paketleri yazmak için destek sağlar." +msgid "Provides support for exporting Cura profiles." +msgstr "Cura profillerinin dışa aktarılması için destek sağlar." -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UPF Yazıcı" +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 "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: 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" @@ -5879,15 +5665,445 @@ msgctxt "name" msgid "Image Reader" msgstr "Resim Okuyucu" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Yapılandırmanızı yedekleyin ve geri yükleyin." +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." -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura Yedeklemeleri" +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." +msgstr "Model Başına Ayarları sağlar." + +#: PerObjectSettingsTool/plugin.json +msgctxt "name" +msgid "Per Model Settings Tool" +msgstr "Model Başına Ayarlar Aracı" + +#: 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" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "Cura’da hazırlık aşaması sunar." + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "Hazırlık Aşaması" + +#: 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ı" + +#: RemovableDriveOutputDevice/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." + +#: RemovableDriveOutputDevice/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" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Belirli yerlerde desteğin yazdırılmasını engellemek için bir silici yüzey oluşturur" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Destek Silici" + +#: 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" + +#: 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" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Ultimaker Biçim Paketleri yazmak için destek sağlar." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UPF Yazıcı" + +#: 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" + +#: 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ı" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "G-Code’ları kabul eder ve bir yazıcıya gönderir. Eklenti aynı zamanda üretici sürümünü güncelleyebilir." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB yazdırma" + +#: VersionUpgrade/VersionUpgrade21to22/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." + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "2.1’den 2.2’ye 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "Yapılandırmaları Cura 2.5’ten Cura 2.6’ya yükseltir." + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +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 +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." + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "2.6’dan 2.7’ye Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade27to30/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." + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "Yapılandırmaları Cura 3.4’ten Cura 3.5’e yükseltir." + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +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 +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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "Yapılandırmaları Cura 4.2'den Cura 4.3'e yükseltir." + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "4.2'den 4.3'e Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "Yapılandırmaları Cura 4.3'ten Cura 4.4'e yükseltir." + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "X3D dosyalarının okunması için destek sağlar." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D Okuyucu" + +#: 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" + +#: 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ü" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/tr_TR/fdmextruder.def.json.po b/resources/i18n/tr_TR/fdmextruder.def.json.po index 81cf4440d5..74b7cd1a7c 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 56b3010371..77848dbf55 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:03+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Turkish , Turkish \n" @@ -3200,8 +3200,8 @@ msgstr "Geri Çekmesiz Maks. Tarama Mesafesi" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "Sıfır olmadığında, bu mesafeden daha uzun tarama mesafelerinde geri çekme yapılır." +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6401,6 +6401,10 @@ 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 "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "Sıfır olmadığında, bu mesafeden daha uzun tarama mesafelerinde geri çekme yapılır." + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "Ekstruder ofsetini koordinat sistemine uygulayın." diff --git a/resources/i18n/zh_CN/cura.po b/resources/i18n/zh_CN/cura.po index fdd6c4798c..e587e8bec9 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 15:04+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Chinese , PCDotFan , Chinese \n" @@ -17,170 +17,180 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "正在载入打印机..." +#: /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:1612 +#: /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 "未知" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -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 "无法连接到下列打印机,因为这些打印机已在组中" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "正在初始化当前机器..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "可用的网络打印机" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "正在初始化机器管理器..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "未覆盖" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "正在初始化成形空间体积..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "正在设置场景..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "正在载入界面..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "正在初始化引擎..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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} 已跳过导入" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "警告" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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} 已跳过导入" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "错误" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "是否确实要删除 {0}?此操作无法撤消!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "自定义材料" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "自定义" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "未知" +msgid "Visual" +msgstr "视觉" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "自定义材料" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "自定义" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "自定义配置文件" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "所有支持的文件类型 ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "所有文件 (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "视觉" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "登录失败" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "正在为模型寻找新位置" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" +#: /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 "正在寻找位置" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +msgctxt "@info:status" +msgid "Unable to find a location within the build volume for all objects" +msgstr "无法在成形空间体积内放下全部模型" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "草稿" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "找不到位置" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "不能从用户数据目录创建存档: {}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "备份" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "可用的网络打印机" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "试图在没有适当数据或元数据的情况下恢复Cura备份。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "未覆盖" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "尝试恢复的 Cura 备份版本高于当前版本。" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "成形空间体积" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura 无法启动" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -195,32 +205,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "向 Ultimaker 发送错误报告" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "显示详细的错误报告" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "显示配置文件夹" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "备份并重置配置" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "错误报告" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -231,1050 +241,491 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "系统信息" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "未知" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura 版本" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura 语言" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "操作系统语言" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "平台" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt 版本" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt 版本" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "尚未初始化
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL 版本: {version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL 供应商: {vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL 渲染器: {renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "错误追溯" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "日志" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "发送报告" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "登录失败" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "正在载入打印机..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "正在设置偏好设置..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "正在初始化当前机器..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "正在初始化机器管理器..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "正在初始化成形空间体积..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "正在设置场景..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "正在载入界面..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "正在初始化引擎..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "警告" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "错误" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "复制并放置模型" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "放置模型" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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 "无法读取响应。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "无法开始新的登录过程。请检查是否仍在尝试进行另一登录。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "无法连接 Ultimaker 帐户服务器。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "所提供的状态不正确。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 msgctxt "@message" msgid "Please give the required permissions when authorizing this application." msgstr "在授权此应用程序时,须提供所需权限。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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 "尝试登录时出现意外情况,请重试。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +msgctxt "@info" +msgid "Unable to reach the Ultimaker account server." +msgstr "无法连接 Ultimaker 帐户服务器。" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "文件已存在" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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} 已存在。您确定要覆盖它吗?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "文件 URL 无效:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "喷嘴" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "已根据挤出机的当前可用性更改设置:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "设置已更新" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "挤出机已禁用" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "无法将配置文件导出至 {0} {1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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} : 写入器插件报告故障。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "配置文件已导出至: {0} " -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "导出成功" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "无法从 {0} 导入配置文件:{1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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} 导入配置文件。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "没有可导入文件 {0} 的自定义配置文件" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "无法从 {0} 导入配置文件:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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} 包含错误数据,无法导入。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "无法从 {0} 导入配置文件:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "已成功导入配置文件 {0}。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "文件 {0} 不包含任何有效的配置文件。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "配置 {0} 文件类型未知或已损坏。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "自定义配置文件" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "配置文件缺少打印质量类型定义。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "尚无处于活动状态的打印机。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "无法添加配置文件。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "质量类型“{0}”与当前有效的机器定义“{1}”不兼容。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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}”对当前配置不可用。请切换到可使用此质量类型的材料/喷嘴组合。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "不支持" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "Default" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "正在为模型寻找新位置" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "喷嘴" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "已根据挤出机的当前可用性更改设置:" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "正在寻找位置" +msgid "Settings updated" +msgstr "设置已更新" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "无法在成形空间体积内放下全部模型" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "找不到位置" +msgid "Extruder(s) Disabled" +msgstr "挤出机已禁用" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "取消" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "组 #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "跳过" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "关闭" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "下一步" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "完成" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "外壁" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "内壁" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "表层" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "填充" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "支撑填充" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "支撑接触面" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "支撑" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "Skirt" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "装填塔" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "移动" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "回抽" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "其它" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "添加" +msgid "Next" +msgstr "下一步" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "取消" +msgid "Skip" +msgstr "跳过" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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 "由于“打印序列”设置的值,成形空间体积高度已被减少,以防止十字轴与打印模型相冲突。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 -msgctxt "@info:title" -msgid "Build Volume" -msgstr "成形空间体积" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "不能从用户数据目录创建存档: {}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "备份" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "试图在没有适当数据或元数据的情况下恢复Cura备份。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "尝试恢复的 Cura 备份版本高于当前版本。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "复制并放置模型" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "放置模型" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "放置模型" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "保存至可移动磁盘" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "保存到可移动磁盘 {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "没有可进行写入的文件格式!" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "保存到可移动磁盘 {0} " - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "正在保存" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "无法保存到 {0}{1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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} 时找不到文件名。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "无法保存到可移动磁盘 {0}:{1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "保存到可移动磁盘 {0} :{1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -msgctxt "@info:title" -msgid "File Saved" -msgstr "文件已保存" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /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 "Eject" -msgstr "弹出" +msgid "Close" +msgstr "关闭" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "弹出可移动设备 {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "已弹出 {0}。现在,您可以安全地拔出磁盘。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "安全移除硬件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "无法弹出 {0},另一个程序可能正在使用磁盘。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "可移动磁盘" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF 文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "GCode 文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "更新固件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D 文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "拒绝" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "同意" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "插件许可协议" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "拒绝并从帐户中删除" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{} 个插件下载失败" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "正在同步..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "检测到您的 Ultimaker 帐户有更改" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "需要退出并重新启动 {},然后更改才能生效。" - -#: /mnt/projects/ultimaker/cura/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 "是否要与您的帐户同步材料和软件包?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "同步" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "单一模型设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "设置对每个模型的单独设定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "后期处理" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "修改 G-Code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "无法使用当前材料进行切片,因为该材料与所选机器或配置不兼容。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "无法切片" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "无法使用当前设置进行切片。以下设置存在错误:{0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "无法切片(原因:主塔或主位置无效)。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "无法切片,因为存在与已禁用挤出机 %s 相关联的对象。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 -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" -"- 尚未全部设置为修改器网格" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "正在处理层" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:title" -msgid "Information" -msgstr "信息" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB 联机打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "通过 USB 联机打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "通过 USB 联机打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "通过 USB 连接" - -#: /mnt/projects/ultimaker/cura/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 将停止此打印。您确定吗?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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 启动另一次打印。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "正在进行打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura 配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "通过网络连接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "从您的 Ultimaker 帐户中检测到新的打印机" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 -#, 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})" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -#, 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} 台" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "从 Digital Factory 添加的打印机:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 -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] "某些打印机无云连接可用" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "要建立连接,请访问 {website_link}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "保留打印机配置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "删除打印机" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 -#, 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},直到下次帐户同步为止。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 -#, 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}?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 -msgctxt "@title:window" -msgid "Remove printers?" -msgstr "是否删除打印机?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 -#, python-brace-format -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" -"是否确实要继续?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 -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" -"是否确定继续?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "通过云打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "通过云打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "通过云连接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "上传打印作业时出现未知错误代码:{0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "明天" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "今天" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "发送打印作业" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "正在将打印作业上传至打印机。" - -#: /mnt/projects/ultimaker/cura/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},但它不是组中的主机。您可以访问网页,将其配置为组主机。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "非组中的主机" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "配置组" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 -msgctxt "@info:status" -msgid "Send and monitor print jobs from anywhere using your Ultimaker account." -msgstr "使用您的 Ultimaker account 帐户从任何地方发送和监控打印作业。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 -msgctxt "@info:status Ultimaker Cloud should not be translated." -msgid "Connect to Ultimaker Digital Factory" -msgstr "连接到 Ultimaker Digital Factory" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 -msgctxt "@action" -msgid "Get started" -msgstr "开始" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "请等待当前作业完成发送。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "打印错误" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "无法将数据上传到打印机。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "网络错误" - -#: /mnt/projects/ultimaker/cura/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} 中的主机打印机上。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "正在将材料发送到打印机" - -#: /mnt/projects/ultimaker/cura/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 "打印作业队列已满。打印机无法接受新作业。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "队列已满" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "打印作业已成功发送到打印机。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "数据已发送" - -#: /mnt/projects/ultimaker/cura/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 的打印机。请将打印机更新至最新固件。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "请更新升级打印机" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "通过网络打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "通过网络打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "已通过网络连接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "选择升级" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "调平打印平台" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "推荐" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "自定义" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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}。无法导入机器。将改为导入模型。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "打开项目文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "突然无法访问项目文件 {0}{1}。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "无法打开项目文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "项目文件 {0} 损坏: {1}。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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 版本未识别的配置文件制作的。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF 文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "压缩 G-code 文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter 不支持文本模式。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "三维模型的助理" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1288,1295 +739,1491 @@ msgstr "" "

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

    \n" "

    查看打印质量指南

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /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/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "打开项目文件" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 +#, 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:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "无法打开项目文件" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 +#, 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:698 +#, 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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF 文件" + +#: /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:26 +msgctxt "@info:title" +msgid "Backups" +msgstr "备份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "上传您的备份时出错。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "正在创建您的备份..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "创建您的备份时出错。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "正在上传您的备份..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "您的备份已完成上传。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "管理备份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +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:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "无法切片" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#, 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:436 +#, 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:445 +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:454 +#, 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:463 +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:260 +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 "无法获取更新信息。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "您的 {machine_name} 可能有新功能或错误修复可用!如果打印机上的固件还不是最新版本,建议将它更新为 {latest_version} 版。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /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 firmware available" msgstr "新 %s 固件可用" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "如何更新" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G 文件" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "更新固件" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 +#: /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 详细信息" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:501 +#: /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 文件可能不准确。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "支撑拦截器" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "创建一个不打印支撑的体积。" - -#: /mnt/projects/ultimaker/cura/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 "打开压缩三角网格" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA 数据资源交换" +msgid "G File" +msgstr "G 文件" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF 二进制" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF 嵌入式 JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "斯坦福三角格式" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "压缩 COLLADA 数据资源交换" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker 格式包" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "准备" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "监控" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "透视视图" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "写入 3mf 文件时出错。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF 文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura 项目 3MF 文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF 编写器插件已损坏。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "没有在此处写入工作区的权限。" - -#: /mnt/projects/ultimaker/cura/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 "操作系统不允许向此位置或用此文件名保存项目文件。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "预览" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "分层视图" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "启用“单线打印”后,Cura 将无法准确地显示打印层。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "仿真视图" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "由于需要先切片,因此未显示任何内容。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "无层可显示" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "不再显示此消息" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "打印机设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "实体视图" - -#: /mnt/projects/ultimaker/cura/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 中打开。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "模型错误" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "详细了解" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "无法写入到 UFP 文件:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 msgctxt "@error:not supported" msgid "GCodeWriter does not support non-text mode." msgstr "GCodeWriter 不支持非文本模式。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +#: /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。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 msgctxt "@item:inlistbox" msgid "JPG Image" msgstr "JPG 图像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 msgctxt "@item:inlistbox" msgid "JPEG Image" msgstr "JPEG 图像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 msgctxt "@item:inlistbox" msgid "PNG Image" msgstr "PNG 图像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 msgctxt "@item:inlistbox" msgid "BMP Image" msgstr "BMP 图像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 msgctxt "@item:inlistbox" msgid "GIF Image" msgstr "GIF 图像" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "尝试恢复您的备份时出错。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "备份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "上传您的备份时出错。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "正在创建您的备份..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "创建您的备份时出错。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "正在上传您的备份..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "您的备份已完成上传。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "备份超过了最大文件大小。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "管理备份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "更新固件" - -#: /mnt/projects/ultimaker/cura/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 打印机上运行的一个软件。此固件控制步进电机,调节温度并最终使打印机正常工作。" - -#: /mnt/projects/ultimaker/cura/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 "新打印机出厂配备的固件完全可以正常使用,但新版本往往具有更多的新功能和改进。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "自动升级固件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "上传自定义固件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "未连接打印机,无法更新固件。" - -#: /mnt/projects/ultimaker/cura/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 "与打印机间的连接不支持固件更新,因此无法更新固件。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "选择自定义固件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "固件升级" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "更新固件中..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "固件更新已完成。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "由于未知错误,固件更新失败。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "由于通信错误,导致固件升级失败。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "由于输入/输出错误,导致固件升级失败。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "由于固件丢失,导致固件升级失败。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "市场" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "需要接受许可证才能安装该程序包" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "您的帐户有更改" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "解除" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "下一步" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "将添加以下程序包:" - -#: /mnt/projects/ultimaker/cura/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 版本不兼容,无法安装以下程序包:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "确认卸载" - -#: /mnt/projects/ultimaker/cura/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 "您正在卸载仍在使用的材料和/或配置文件。确认会将以下材料/配置文件重置为默认值。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "确认" - -#: /mnt/projects/ultimaker/cura/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包数据库。请检查您的连接。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "社区贡献" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "社区插件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "通用材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "版本" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "更新日期" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "品牌" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "下载项" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "已安装的插件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "尚未安装任何插件。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "已安装的材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "尚未安装任何材料。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "已捆绑的插件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "已捆绑的材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "网站" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "电子邮件" - -#: /mnt/projects/ultimaker/cura/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 的插件和材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "登录" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "获取包..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "兼容性" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "机器" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "打印平台" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "支持" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "质量" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "技术数据表" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "安全数据表" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "打印指南" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "网站" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "插件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "安装" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "前往网上市场" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "将安装后重新启动" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "更新" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "更新" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "更新" - -#: /mnt/projects/ultimaker/cura/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 "更新需要登录" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "降级" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "卸载" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "已安装" - -#: /mnt/projects/ultimaker/cura/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 "安装或更新需要登录" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "购买材料线轴" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "高级" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "搜索材料" - -#: /mnt/projects/ultimaker/cura/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。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "退出 %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "背部" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "安装" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "网格类型" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "正常模式" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "打印为支撑" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "修改重叠设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "不支持重叠" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "仅填充网格" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 配置文件" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "切割网格" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "选择设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "选择对此模型的自定义设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "筛选..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "显示全部" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "后期处理插件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "后期处理脚本" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 msgctxt "@action" -msgid "Add a script" -msgstr "添加一个脚本" +msgid "Machine Settings" +msgstr "打印机设置" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 +#: /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 "Settings" -msgstr "设置" +msgid "Per Model Settings" +msgstr "单一模型设置" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "更改处于活动状态的后期处理脚本。" +msgid "Configure Per Model Settings" +msgstr "设置对每个模型的单独设定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 +#: /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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "正在保存" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "文件已保存" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "弹出" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "弹出可移动设备 {0}" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "安全移除硬件" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "仿真视图" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "由于需要先切片,因此未显示任何内容。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "无层可显示" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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 "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "以下脚本处于活动状态:" +msgid "Create a volume in which supports are not printed." +msgstr "创建一个不打印支撑的体积。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -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 "是否要与您的帐户同步材料和软件包?" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "检测到您的 Ultimaker 帐户有更改" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "同步" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "打印作业" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "正在同步..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "总打印时间" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "拒绝" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -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 "同意" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "配置更改" +msgid "Plugin License Agreement" +msgstr "插件许可协议" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "拒绝并从帐户中删除" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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 "Override" -msgstr "覆盖" +msgid "Print via cloud" +msgstr "通过云打印" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "通过云打印" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "通过云连接" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:270 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "上传打印作业时出现未知错误代码:{0}" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:227 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "从您的 Ultimaker 帐户中检测到新的打印机" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:238 +#, 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})" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:255 +#, 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} 台" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:260 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "从 Digital Factory 添加的打印机:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "玻璃" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +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] "某些打印机无云连接可用" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "铝" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "不可用的打印机" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "第一个可用" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "要建立连接,请访问 {website_link}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "请及时更新打印机固件以远程管理打印队列。" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "保留打印机配置" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "删除打印机" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#, 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:422 +#, 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:423 +#, 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:460 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "连接到网络打印机" +msgid "Remove printers?" +msgstr "是否删除打印机?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#, python-brace-format 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 文件传输到打印机。" +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" +"是否确实要继续?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "请从以下列表中选择您的打印机:" +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" +"是否确定继续?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "编辑" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +msgctxt "@info:status" +msgid "Send and monitor print jobs from anywhere using your Ultimaker account." +msgstr "使用您的 Ultimaker account 帐户从任何地方发送和监控打印作业。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "删除" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +msgctxt "@info:status Ultimaker Cloud should not be translated." +msgid "Connect to Ultimaker Digital Factory" +msgstr "连接到 Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "刷新" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +msgctxt "@action" +msgid "Get started" +msgstr "开始" -#: /mnt/projects/ultimaker/cura/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/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 的打印机。请将打印机更新至最新固件。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "类型" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "请更新升级打印机" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -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} 中的主机打印机上。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "地址" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "正在将材料发送到打印机" -#: /mnt/projects/ultimaker/cura/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/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},但它不是组中的主机。您可以访问网页,将其配置为组主机。" -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "非组中的主机" -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:35 +msgctxt "@action" +msgid "Configure group" +msgstr "配置组" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -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 "请等待当前作业完成发送。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "IP 地址无效" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "打印错误" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "无法将数据上传到打印机。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "打印机网络地址" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "网络错误" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "发送打印作业" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "确定" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "正在将打印作业上传至打印机。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" +#: /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 "通过网络打印" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "打印" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "通过网络打印" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +#: /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 msgctxt "@label" -msgid "Printer selection" -msgstr "打印机选择" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "正在进行 USB 打印,关闭 Cura 将停止此打印。您确定吗?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "移至顶部" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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 启动另一次打印。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "删除" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "正在进行打印" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "恢复" +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D 文件" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "正在暂停..." +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "透视视图" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -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 "此次打印可能出现了某些问题。点击查看调整提示。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "暂停" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "正在中止..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "中止" - -#: /mnt/projects/ultimaker/cura/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 移至队列顶部吗?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "将打印作业移至顶部" - -#: /mnt/projects/ultimaker/cura/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 吗?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "删除打印作业" - -#: /mnt/projects/ultimaker/cura/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 吗?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "中止打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "已中止" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "已完成" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "正在准备..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "正在中止..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "正在暂停..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "已暂停" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "正在恢复..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "需要采取行动" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "完成 %1 于 %2" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "管理打印机" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "正在加载..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "不可用" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "无法连接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "空闲" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "打印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "未命名" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "匿名" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "需要更改配置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "详细信息" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "请选择适用于 Ultimaker Original 的升级文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "热床(官方版本或自制)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "打印平台调平" - -#: /mnt/projects/ultimaker/cura/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 "为了确保打印质量出色,您现在可以开始调整您的打印平台。当您点击「移动到下一个位置」时,喷嘴将移动到可以调节的不同位置。" - -#: /mnt/projects/ultimaker/cura/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 "在打印头停止的每一个位置下方插入一张纸,并调整平台高度。当纸张恰好被喷嘴的尖端轻微压住时,此时打印平台的高度已被正确校准。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "开始进行打印平台调平" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "移动到下一个位置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "打开项目" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "更新已有配置" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "新建" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "摘要 - Cura 项目" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "打印机设置" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "机器的设置冲突应如何解决?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "类型" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "打印机组" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "配置文件设置" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "配置文件中的冲突如何解决?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "名字" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "不在配置文件中" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 重写" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "衍生自" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 重写" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "材料设置" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "材料的设置冲突应如何解决?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "设置可见性" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "模式" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "可见设置:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 / %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "加载项目将清除打印平台上的所有模型。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "打开" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "想要更多?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "删除备份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "恢复备份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura 备份" + +#: /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:199 +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 "固件是直接在 3D 打印机上运行的一个软件。此固件控制步进电机,调节温度并最终使打印机正常工作。" + +#: /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 "新打印机出厂配备的固件完全可以正常使用,但新版本往往具有更多的新功能和改进。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "自动升级固件" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "上传自定义固件" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "转换图像..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "高度 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "底板 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "宽度 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "深度 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "颜色越深厚度越大" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +msgctxt "@item:inlistbox" +msgid "Lighter is higher" +msgstr "颜色越浅厚度越大" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "半透明" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "1 毫米透射率 (%)" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@label" +msgid "Nozzle size" +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 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /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 "喷嘴偏移 X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "喷嘴偏移 Y" + +#: /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 "挤出机的开始 G-code" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (宽度)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (深度)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (高度)" + +#: /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 "G-code 风格" + +#: /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 "X 最小值" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y 最小值" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X 最大值" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y 最大值" + +#: /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 "将挤出器偏移量应用于 GCode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "开始 G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "结束 G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2589,1361 +2236,969 @@ msgstr "" "- 检查打印机是否连接至网络。\n" "- 检查您是否已登录查找云连接的打印机。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "请将打印机连接到网络。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "查看联机用户手册" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "仅填充网格" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "切割网格" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "选择设置" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "更多关于匿名数据收集的信息" +msgid "Select Settings to Customize for this model" +msgstr "选择对此模型的自定义设置" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "筛选..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "显示全部" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "允许发送匿名数据" +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "后期处理插件" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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] "以下脚本处于活动状态:" + +#: /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 "颜色方案" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "材料颜色" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "走线类型" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "速度" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "层厚度" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "走线宽度" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "兼容模式" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "空驶" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "打印辅助结构" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "外壳" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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 "填充" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "开始" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "只显示顶层" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 msgctxt "@label" msgid "Show 5 Detailed Layers On Top" msgstr "在顶部显示 5 层打印细节" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "顶 / 底层" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "内壁" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "最小" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "最大" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "喷嘴设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "喷嘴孔径" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "兼容的材料直径" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "喷嘴偏移 X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "喷嘴偏移 Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "冷却风扇数量" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "挤出机的开始 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "挤出机的结束 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "打印机" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "打印机设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (宽度)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (深度)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (高度)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "打印平台形状" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "置中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "加热床" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "加热的构建体积" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "G-code 风格" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "打印头设置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X 最小值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y 最小值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X 最大值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y 最大值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "十字轴高度" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "挤出机数目" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "将挤出器偏移量应用于 GCode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "开始 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "结束 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "转换图像..." +msgid "More information on anonymous data collection" +msgstr "更多关于匿名数据收集的信息" -#: /mnt/projects/ultimaker/cura/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/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 会收集匿名数据。以下是所有数据分享的示例:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "高度 (mm)" +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "我不想发送匿名数据" -#: /mnt/projects/ultimaker/cura/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/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "允许发送匿名数据" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "底板 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "打印平台宽度,以毫米为单位。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "宽度 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "打印平台深度,以毫米为单位" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "深度 (mm)" - -#: /mnt/projects/ultimaker/cura/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 模型中较厚的位置。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "颜色越深厚度越大" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "颜色越浅厚度越大" - -#: /mnt/projects/ultimaker/cura/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 "对于隐雕,提供一个用于半透明的简单对数模型。对于高度图,像素值与高度线性对应。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "线性" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "半透明" - -#: /mnt/projects/ultimaker/cura/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 毫米厚的打印件的光线百分比。降低此值将增大图像暗区中的对比度并减小图像亮区中的对比度。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "1 毫米透射率 (%)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:195 -msgctxt "@info:tooltip" -msgid "The amount of smoothing to apply to the image." -msgstr "要应用到图像的平滑量。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "平滑" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "我的备份" - -#: /mnt/projects/ultimaker/cura/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 "您目前没有任何备份。使用“立即备份”按钮创建一个备份。" - -#: /mnt/projects/ultimaker/cura/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 个可见备份。移除一个备份以查看更早的备份。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "备份并同步您的 Cura 设置。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "想要更多?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "立即备份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "自动备份" - -#: /mnt/projects/ultimaker/cura/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 每天启动时自动创建备份。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura 版本" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "机器" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "插件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "恢复" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "删除备份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "您确定要删除此备份吗?此操作无法撤销。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "恢复备份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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 吗?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura 备份" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "收藏" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "通用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "文件(&F)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "保存项目(&S)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "导出(&E)..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "导出选择..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "打开最近使用过的文件(&R)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "选择配置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "配置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "配置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "自定义" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "已启用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "材料" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "用胶粘和此材料组合以产生更好的附着。" - -#: /mnt/projects/ultimaker/cura/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 以下载正确的材料配置文件。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "市场" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "正在从打印机加载可用配置..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "该配置不可用,因为打印机已断开连接。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "视图(&V)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "摄像头位置(&C)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "摄像头视图" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "透视" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "正交" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "打印平台(&B)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "网络打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "本地打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "可见设置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "折叠所有类别" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "管理设置可见性..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "设置(&S)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "打印机(&P)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "材料(&M)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "设为主要挤出机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "启用挤出机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "禁用挤出机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "保存项目..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "打印所选模型:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "复制所选模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "复制个数" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "打开文件..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "自定义配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Discard current changes" -msgstr "舍弃当前更改" +msgid "Back" +msgstr "背部" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 msgctxt "@label" -msgid "Profile" -msgstr "配置文件" +msgid "Compatibility" +msgstr "兼容性" -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"某些设置/重写值与存储在配置文件中的值不同。\n" -"\n" -"点击打开配置文件管理器。" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "机器" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "开" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "打印平台" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "关" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "实验性" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "推荐" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "自定义" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "打印设置" - -#: /mnt/projects/ultimaker/cura/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 文件。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "渐层填充" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "渐层填充(Gradual infill)将随着打印高度的提升而逐渐加大填充密度。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -msgctxt "@tooltip" -msgid "You have modified some profile settings. If you want to change these go to custom mode." -msgstr "您已修改部分配置文件设置。 如果您想对其进行更改,请转至自定义模式。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" msgid "Support" msgstr "支持" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -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/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "质量" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "附着" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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。这将在您的对象周围或下方添加一个容易切断的平面区域。" - -#: /mnt/projects/ultimaker/cura/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 中的配置。将改为使用默认意图" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "没有可供选择的项目" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "正在打印" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "作业名" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "打印时间" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "预计剩余时间" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "舍弃或保留更改" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"您已经自定义了若干配置文件设置。\n" -"是否要在切换配置文件后保留这些更改的设置?\n" -"或者,也可舍弃更改以从“%1”加载默认值。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "配置文件设置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "当前更改" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "总是询问" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "舍弃更改,并不再询问此问题" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "保留更改,并不再询问此问题" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "舍弃更改" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "保留更改" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "关于 %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "版本: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:72 -msgctxt "@label" -msgid "End-to-end solution for fused filament 3D printing." -msgstr "熔丝 3D 打印技术的的端对端解决方案。" - -#: /mnt/projects/ultimaker/cura/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 由 Ultimaker B.V. 与社区合作开发。\n" -"Cura 使用以下开源项目:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "图形用户界面" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "应用框架" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "G-code 生成器" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "进程间通信交互使用库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "编程语言" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI 框架" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUI 框架绑定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C / C++ 绑定库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "数据交换格式" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "科学计算支持库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "高速运算支持库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "用于处理 STL 文件的支持库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "用于处理平面对象的支持库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "用于处理三角网格的支持库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "用于处理 3MF 文件的支持库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "用于文件元数据和流媒体的支持库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "串口通讯库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConf 发现库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "多边形剪辑库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "适用于 Python 的静态类型检查器" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "用于验证 SSL 可信度的根证书" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Python 错误跟踪库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "Prusa Research 开发的多边形打包库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "libnest2d 的 Python 绑定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "支持系统密钥环访问库" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "适用于 Microsoft Windows 的 Python 扩展" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "字体" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG 图标" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Linux 交叉分布应用程序部署" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "打开文件" - -#: /mnt/projects/ultimaker/cura/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 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 "我们已经在您所选择的文件中找到一个或多个项目文件,但一次只能打开一个项目文件。我们建议只从那些文件中导入模型而不打开项目。您要继续操作吗?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "导入所有模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "保存项目" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 msgctxt "@action:label" -msgid "Extruder %1" -msgstr "挤出机 %1" +msgid "Technical Data Sheet" +msgstr "技术数据表" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & 材料" +msgid "Safety Data Sheet" +msgstr "安全数据表" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 msgctxt "@action:label" -msgid "Material" +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 "在包装更改生效之前,您需要重新启动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:457 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +msgctxt "@title:tab" +msgid "Materials" msgstr "材料" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "保存时不再显示项目摘要" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "安装" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +#: /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 "Save" -msgstr "保存" +msgid "Downgrade" +msgstr "降级" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /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:178 +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 "Open project file" -msgstr "打开项目文件" +msgid "Confirm uninstall" +msgstr "确认卸载" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 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 "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "您正在卸载仍在使用的材料和/或配置文件。确认会将以下材料/配置文件重置为默认值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "记住我的选择" +msgid "Materials" +msgstr "材料" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /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 "Open as project" -msgstr "作为项目打开" +msgid "Confirm" +msgstr "确认" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "已安装的材料" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "尚未安装任何材料。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "已捆绑的插件" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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 "Import models" -msgstr "导入模型" +msgid "Start Build Plate Leveling" +msgstr "开始进行打印平台调平" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "未命名" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "移动到下一个位置" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "欢迎使用 Ultimaker Cura" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "请选择适用于 Ultimaker Original 的升级文件" -#: /mnt/projects/ultimaker/cura/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。此操作只需要几分钟时间。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "开始" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 msgctxt "@label" -msgid "Empty" -msgstr "空" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "热床(官方版本或自制)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +#: /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 "Help us to improve Ultimaker Cura" -msgstr "帮助我们改进 Ultimaker Cura" +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 文件传输到打印机。" -#: /mnt/projects/ultimaker/cura/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 会收集匿名数据,这些数据包括:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "机器类型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "材料使用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "切片数量" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "打印设置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura 收集的数据不会包含任何个人信息。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "更多信息" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 msgctxt "@label" -msgid "Add printer by IP address" -msgstr "按 IP 地址添加打印机" +msgid "Select your printer from the list below:" +msgstr "请从以下列表中选择您的打印机:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "输入您打印机的 IP 地址。" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "编辑" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -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 "删除" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +#: /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 "Could not connect to device." -msgstr "无法连接到设备。" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "如果您的打印机未列出,请阅读网络打印故障排除指南" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +#: /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 "Can't connect to your Ultimaker printer?" -msgstr "无法连接到 Ultimaker 打印机?" +msgid "Type" +msgstr "类型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +#: /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 "The printer at this address has not responded yet." +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 "该网络地址的打印机尚未响应。" -#: /mnt/projects/ultimaker/cura/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 "由于是未知打印机或不是组内主机,无法添加该打印机。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "返回" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" msgid "Connect" msgstr "连接" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "添加打印机" +msgid "Enter the IP address of your printer on the network." +msgstr "请输入打印机在网络上的 IP 地址。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "添加已联网打印机" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "分配的打印机 %1 需要以下配置更改:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "添加未联网打印机" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "已向打印机 %1 分配作业,但作业包含未知的材料配置。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "新增功能" +msgid "Change material %1 from %2 to %3." +msgstr "将材料 %1 从 %2 更改为 %3。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "添加云打印机" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "将 %3 作为材料 %1 进行加载(此操作无法覆盖)。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "等待云响应" +msgid "Change print core %1 from %2 to %3." +msgstr "将 Print Core %1 从 %2 更改为 %3。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "在您的帐户中未找到任何打印机?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "将打印平台更改为 %1(此操作无法覆盖)。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "您帐户中的以下打印机已添加到 Cura 中:" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "覆盖将使用包含现有打印机配置的指定设置。这可能会导致打印失败。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -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 "玻璃" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "通过网络打印" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "打印" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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 平台" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "从 Marketplace 添加材料设置和插件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "备份和同步材料设置和插件" - -#: /mnt/projects/ultimaker/cura/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 多名用户的帮助" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "创建免费的 Ultimaker 帐户" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "跳过" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "用户协议" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "拒绝并关闭" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "版本说明" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "未找到网络内打印机。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "刷新" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "按 IP 添加打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "添加云打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "故障排除" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "制造商" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "配置文件作者" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "打印机名称" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "请为您的打印机命名" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "上次更新时间:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker 帐户" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "注销" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3954,935 +3209,1916 @@ msgstr "" "- 备份和同步材料配置文件和插件\n" "- 在 Ultimaker 社区分享观点并获取 48,000 多名用户的帮助" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 msgctxt "@button" msgid "Create a free Ultimaker account" msgstr "创建免费的 Ultimaker 帐户" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "登录" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "正在检查..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "帐户已同步" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "发生了错误..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "安装挂起的更新" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "检查是否存在帐户更新" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "对象列表" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "上次更新时间:%1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker 帐户" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "正在切片..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "无法切片" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "正在处理中" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "切片" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "开始切片流程" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +msgctxt "@button" +msgid "Cancel" +msgstr "取消" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 msgctxt "@action:inmenu" msgid "Show Online Troubleshooting Guide" msgstr "显示联机故障排除指南" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "切换完整界面" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "退出完整界面" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "撤销(&U)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "重做(&R)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "退出(&Q)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "3D 视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "正视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "顶视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "左视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "右视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "配置 Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "新增打印机(&A)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "管理打印机(&I)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "管理材料..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "从市场添加更多材料" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "使用当前设置 / 重写值更新配置文件(&U)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "舍弃当前更改(&D)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "从当前设置 / 重写值创建配置文件(&C)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "管理配置文件.." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "显示在线文档(&D)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "BUG 反馈(&B)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "新增功能" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "关于..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "删除所选项" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "居中所选项" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "复制所选项" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "删除模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "使模型居于平台中央(&N)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "绑定模型(&G)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "拆分模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "合并模型(&M)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "复制模型…(&M)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "选择所有模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "清空打印平台" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "重新载入所有模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "将所有模型编位到所有打印平台" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "编位所有的模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "为所选模型编位" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "复位所有模型的位置" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "复位所有模型的变动" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "打开文件(&O)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "新建项目(&N)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "显示配置文件夹" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "配置设定可见性..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "市场(&M)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "已计算" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "设置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "当前" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "单位" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "信息" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "确认直径更改" - -#: /mnt/projects/ultimaker/cura/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毫米,这与当前的挤出机不兼容。你想继续吗?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "显示名称" +msgid "This package will be installed after restarting." +msgstr "这个包将在重新启动后安装。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "材料类型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "颜色" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "属性" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "密度" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "直径" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "耗材成本" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "耗材重量" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "耗材长度" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "每米成本" - -#: /mnt/projects/ultimaker/cura/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 相关联,并共享其某些属性。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "解绑材料" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "描述" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "粘附信息" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "激活" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "创建" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "复制" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "导入" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "导出" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "确认删除" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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?该操作无法恢复!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "导入配置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "无法导入材料 %1%2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "成功导入材料 %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "导出材料" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "无法导出材料至 %1%2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "成功导出材料至: %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "重命名" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "创建" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "复制" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "创建配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "请为此配置文件提供名称。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "复制配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "重命名配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "导入配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "导出配置文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "打印机:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "使用当前设置 / 重写值更新配置文件" - -#: /mnt/projects/ultimaker/cura/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 "此配置文件使用打印机指定的默认值,因此在下面的列表中没有此设置项。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "您当前的设置与选定的配置文件相匹配。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "全局设置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "设置可见性" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "全部勾选" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "基本" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "设置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "打印机" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "配置文件" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "正在关闭 %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "安装包" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "打开文件" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "新增打印机" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "新增功能" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "接口" +msgid "version: %1" +msgstr "版本: %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "币种:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "熔丝 3D 打印技术的的端对端解决方案。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 由 Ultimaker B.V. 与社区合作开发。\n" +"Cura 使用以下开源项目:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" -msgid "Theme:" -msgstr "主题:" +msgid "Graphical user interface" +msgstr "图形用户界面" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "需重新启动 Cura,新的设置才能生效。" +msgid "Application framework" +msgstr "应用框架" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "当设置被更改时自动进行切片。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "自动切片" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "视区行为" +msgid "G-code generator" +msgstr "G-code 生成器" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "进程间通信交互使用库" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "显示悬垂(Overhang)" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "编程语言" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUI 框架" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "显示模型错误" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUI 框架绑定" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "C / C++ 绑定库" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for scientific computing" +msgstr "科学计算支持库" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling STL files" +msgstr "用于处理 STL 文件的支持库" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling triangular meshes" +msgstr "用于处理三角网格的支持库" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for file metadata and streaming" +msgstr "用于文件元数据和流媒体的支持库" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "ZeroConf 发现库" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "用于验证 SSL 可信度的根证书" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "Prusa Research 开发的多边形打包库" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "支持系统密钥环访问库" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "字体" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Linux cross-distribution application deployment" +msgstr "Linux 交叉分布应用程序部署" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +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 "这是一个 Cura 项目文件。您想将其作为一个项目打开还是从中导入模型?" + +#: /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 "Center camera when item is selected" -msgstr "当项目被选中时,自动对中视角" +msgid "Open as project" +msgstr "作为项目打开" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "需要令 Cura 的默认缩放操作反转吗?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "反转视角变焦方向。" +msgid "Import models" +msgstr "导入模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "是否跟随鼠标方向进行缩放?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "舍弃或保留更改" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "正交透视不支持通过鼠标进行缩放。" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"您已经自定义了若干配置文件设置。\n" +"是否要在切换配置文件后保留这些更改的设置?\n" +"或者,也可舍弃更改以从“%1”加载默认值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "跟随鼠标方向缩放" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "配置文件设置" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "当前更改" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "确保每个模型都保持分离" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "需要转动模型,使它们接触打印平台吗?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "自动下降模型到打印平台" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "在 G-code 读取器中显示警告信息。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-code 读取器中的警告信息" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "层视图要强制进入兼容模式吗?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "强制层视图兼容模式(需要重新启动)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Cura 是否应该在关闭的位置打开?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "恢复初始窗口位置" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "应使用哪种类型的摄像头进行渲染?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "摄像头渲染:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 -msgid "Perspective" -msgstr "透视" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 -msgid "Orthographic" -msgstr "正交" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "打开并保存文件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "应从桌面打开文件还是在同一 Cura 实例中打开外部应用程序?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "使用单个 Cura 实例" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "当模型的尺寸过大时,是否将模型自动缩小至成形空间体积?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "缩小过大模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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 "当模型以米而不是毫米为单位时,模型可能会在打印平台中显得非常小。在此情况下是否进行放大?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "放大过小模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "模型是否应该在加载后被选中?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "选择模型时加载" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "打印机名是否自动作为打印作业名称的前缀?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "将机器前缀添加到作业名称中" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "保存项目文件时是否显示摘要?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "保存项目时显示摘要对话框" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "打开项目文件时的默认行为" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "打开项目文件时的默认行为: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "总是询问" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "始终作为一个项目打开" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "始终导入模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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 "当您对配置文件进行更改并切换到其他配置文件时将显示一个对话框,询问您是否要保留修改。您也可以选择一个默认行为并令其不再显示该对话框。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "切换到不同配置文件时对设置值更改的默认操作: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "总是舍失更改的设置" +msgid "Discard and never ask again" +msgstr "舍弃更改,并不再询问此问题" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "总是将更改的设置传输至新配置文件" +msgid "Keep and never ask again" +msgstr "保留更改,并不再询问此问题" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "隐私" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "当 Cura 启动时,是否自动检查更新?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "启动时检查更新" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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 地址或其他私人数据。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(匿名)发送打印信息" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "More information" -msgstr "详细信息" +msgid "Discard changes" +msgstr "舍弃更改" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "保留更改" + +#: /home/trin/Gedeeld/Projects/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 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/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "导入所有模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "保存项目" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "挤出机 %1" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & 材料" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "材料" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "保存时不再显示项目摘要" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +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] "用 %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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "扩展(&X)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "偏好设置(&R)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "帮助(&H)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "新建项目" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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 "View type" -msgstr "查看类型" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "此配置不可用,因为 %1 未被识别。请访问 %2 以下载正确的材料配置文件。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /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:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "正在从打印机加载可用配置..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "选择配置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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 "未连接至打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 msgctxt "@label:MonitorStatus" msgid "Printer does not accept commands" msgstr "打印机不接受命令" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 msgctxt "@label:MonitorStatus" msgid "In maintenance. Please check the printer" msgstr "维护中。请检查打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 msgctxt "@label:MonitorStatus" msgid "Lost connection with the printer" msgstr "与打印机的连接中断" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "打印中..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "已暂停" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "初始化中..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "请取出打印件" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "中止打印" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 msgctxt "@label" msgid "Are you sure you want to abort the print?" msgstr "您确定要中止打印吗?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "打印为支撑。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "修改了与此模型重叠的其他模型。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "修改了与该模型重叠的填充。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "不支持与此模型重叠。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "接口" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "币种:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "主题:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "当设置被更改时自动进行切片。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "自动切片" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "视区行为" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "显示悬垂(Overhang)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "显示模型错误" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "当项目被选中时,自动对中视角" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:365 +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:370 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "反转视角变焦方向。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "是否跟随鼠标方向进行缩放?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "跟随鼠标方向缩放" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "确保每个模型都保持分离" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 +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:436 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "自动下降模型到打印平台" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:448 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "在 G-code 读取器中显示警告信息。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "G-code 读取器中的警告信息" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "层视图要强制进入兼容模式吗?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:470 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "强制层视图兼容模式(需要重新启动)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:480 +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:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "恢复初始窗口位置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "应使用哪种类型的摄像头进行渲染?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "摄像头渲染:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "透视" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "正交" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "打开并保存文件" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "使用单个 Cura 实例" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "缩小过大模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "放大过小模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "模型是否应该在加载后被选中?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "选择模型时加载" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "将机器前缀添加到作业名称中" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:630 +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:634 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "保存项目时显示摘要对话框" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:644 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "打开项目文件时的默认行为" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "打开项目文件时的默认行为: " + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "总是询问" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "始终作为一个项目打开" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "始终导入模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "总是舍失更改的设置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "总是将更改的设置传输至新配置文件" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 +msgctxt "@label" +msgid "Privacy" +msgstr "隐私" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "启动时检查更新" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(匿名)发送打印信息" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "打印机" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "导入配置" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "导出材料" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "Search settings" -msgstr "搜索设置" +msgid "Check all" +msgstr "全部勾选" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "将值复制到所有挤出机" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "挤出机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -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,则热端加热将关闭。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "隐藏此设置" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "该热端的当前温度。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -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 "热端的预热温度。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -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 "取消" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "添加打印机" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "正在打印" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +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 +msgctxt "@label" +msgid "Profile" +msgstr "配置文件" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"某些设置/重写值与存储在配置文件中的值不同。\n" +"\n" +"点击打开配置文件管理器。" + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "渐层填充" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "支持" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4893,32 +5129,32 @@ msgstr "" "\n" "单击以使这些设置可见。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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 "未使用此设置,因为受其影响的所有设置均已覆盖。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "影响" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "受影响项目" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "此设置始终在所有挤出机之间共享。在此处更改它将改变所有挤出机的值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "此设置与挤出器特定值不同:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4929,7 +5165,7 @@ msgstr "" "\n" "单击以恢复配置文件的值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4940,712 +5176,308 @@ msgstr "" "\n" "单击以恢复自动计算的值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "搜索设置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +msgctxt "@action:menu" +msgid "Copy value to all extruders" +msgstr "将值复制到所有挤出机" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:477 +msgctxt "@action:menu" +msgid "Copy all changed values to all extruders" +msgstr "将所有修改值复制到所有挤出机" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "隐藏此设置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "不再显示此设置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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 视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "正视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "顶视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "左视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "右视图" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "挤出机" +msgid "View type" +msgstr "查看类型" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "添加云打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "该热端的当前温度。" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "等待云响应" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "在您的帐户中未找到任何打印机?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -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 中:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "预热" +msgid "Add printer manually" +msgstr "手动添加打印机" -#: /mnt/projects/ultimaker/cura/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 "打印前请预热热端。您可以在热端加热时继续调整打印机,而不必等待热端加热完毕再做好打印准备。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "该挤出机中材料的颜色。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "该挤出机中的材料。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "该挤出机所使用的喷嘴。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "打印平台" +msgid "Manufacturer" +msgstr "制造商" -#: /mnt/projects/ultimaker/cura/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,则不使用热床。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "热床当前温度。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "热床的预热温度。" - -#: /mnt/projects/ultimaker/cura/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 "打印前请预热热床。您可以在热床加热时继续调整相关项,让您在准备打印时不必等待热床加热完毕。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "打印机控制" +msgid "Profile author" +msgstr "配置文件作者" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "垛齐位置" +msgid "Printer name" +msgstr "打印机名称" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" +msgstr "请为您的打印机命名" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" +msgid "Add a printer" +msgstr "添加打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 msgctxt "@label" -msgid "Z" -msgstr "Z" +msgid "Add a networked printer" +msgstr "添加已联网打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 msgctxt "@label" -msgid "Jog Distance" -msgstr "垛齐距离" +msgid "Add a non-networked printer" +msgstr "添加未联网打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 msgctxt "@label" -msgid "Send G-code" -msgstr "发送 G-code" +msgid "There is no printer found over your network." +msgstr "未找到网络内打印机。" -#: /mnt/projects/ultimaker/cura/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”发送命令。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "尚未连接到打印机。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 msgctxt "@label" -msgid "Is printed as support." -msgstr "打印为支撑。" +msgid "Refresh" +msgstr "刷新" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "修改了与此模型重叠的其他模型。" +msgid "Add printer by IP" +msgstr "按 IP 添加打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "修改了与该模型重叠的填充。" +msgid "Add cloud printer" +msgstr "添加云打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "不支持与此模型重叠。" +msgid "Troubleshooting" +msgstr "故障排除" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "覆盖 %1 设置。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "市场" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "编辑(&E)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "扩展(&X)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "偏好设置(&R)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "帮助(&H)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "新建项目" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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 "你确定要开始一个新项目吗?这将清除打印平台及任何未保存的设置。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "这个包将在重新启动后安装。" +msgid "Add printer by IP address" +msgstr "按 IP 地址添加打印机" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "设置" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "输入您打印机的 IP 地址。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "正在关闭 %1" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "添加" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -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/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "无法连接到设备。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -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 打印机?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -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 "该网络地址的打印机尚未响应。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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/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 "由于是未知打印机或不是组内主机,无法添加该打印机。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "新增打印机" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +msgctxt "@button" +msgid "Back" +msgstr "返回" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "创建免费的 Ultimaker 帐户" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "跳过" + +#: /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 "" +"请按照以下步骤设置\n" +"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:28 +msgctxt "@label" msgid "What's New" msgstr "新增功能" -#: /mnt/projects/ultimaker/cura/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。" - -#: /mnt/projects/ultimaker/cura/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 以建立连接。" - -#: /mnt/projects/ultimaker/cura/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 "云连接当前不可用。请登录以连接到云打印机。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "云连接当前不可用。请检查您的 Internet 连接。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "添加打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "管理打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "已连接的打印机" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "预设打印机" - -#: /mnt/projects/ultimaker/cura/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 打印所选模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "预计时间" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "预计材料" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "正在切片..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "无法切片" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "正在处理中" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "切片" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "开始切片流程" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "取消" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "无可用时间估计" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "无可用成本估计" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "预览" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "提供可移动磁盘热插拔和写入文件的支持。" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "可移动磁盘输出设备插件" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "请将配置从 Cura 4.2 升级至 Cura 4.3。" - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "版本自 4.2 升级至 4.3" - -#: 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/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/VersionUpgrade26to27/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "将配置从 Cura 2.6 版本升级至 2.7 版本。" - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "版本自 2.6 升级到 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "将配置从 Cura 2.5 版本升级至 2.6 版本。" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "版本自 2.5 升级到 2.6" - -#: 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/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "将配置从 Cura 2.1 版本升级至 2.2 版本。" - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "版本自 2.1 升级到 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "将配置从 Cura 4.3 升级至 Cura 4.4。" - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "版本自 4.3 升级至 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "将配置从 Cura 3.4 版本升级至 3.5 版本。" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "版本自 3.4 升级到 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "将配置从 Cura 2.7 版本升级至 3.0 版本。" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "版本自 2.7 升级到 3.0" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "提供对读取 AMF 文件的支持。" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF 读取器" - -#: 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 配置文件读取器" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "为固件更新提供操作选项。" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "固件更新程序" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "支持读取 X3D 文件。" - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3D 读取器" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "查找、管理和安装新的Cura包。" - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -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 "后期处理" - -#: 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 后端" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "接受 G-Code 并将其发送到一台打印机。 插件也可以更新固件。" - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB 联机打印" - -#: 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 配置文件写入器" - -#: 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 网络连接" - -#: 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 打印机操作" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "提供对读取 3MF 格式文件的支持。" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF 读取器" - -#: 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 写入器" - -#: 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 读取器" +msgid "No items to select from" +msgstr "没有可供选择的项目" #: ModelChecker/plugin.json msgctxt "description" @@ -5657,105 +5489,15 @@ msgctxt "name" msgid "Model Checker" msgstr "模型检查器" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "检查以进行固件更新。" +msgid "Provides support for reading 3MF files." +msgstr "提供对读取 3MF 格式文件的支持。" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "固件更新检查程序" - -#: 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 读取器" - -#: 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 "支持橡皮擦" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "提供对读取模型文件的支持。" - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh 阅读器" - -#: 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 日志记录" - -#: 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 读取器" - -#: 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 配置文件读取器" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "在 Cura 中提供准备阶段。" - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "准备阶段" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "在 Cura 中提供监视阶段。" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "监视阶段" - -#: XRayView/plugin.json -msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "提供透视视图。" - -#: XRayView/plugin.json -msgctxt "name" -msgid "X-Ray View" -msgstr "透视视图" +msgid "3MF Reader" +msgstr "3MF 读取器" #: 3MFWriter/plugin.json msgctxt "description" @@ -5767,65 +5509,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF 写入器" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "提交匿名切片信息。 可以通过偏好设置禁用。" +msgid "Provides support for reading AMF files." +msgstr "提供对读取 AMF 文件的支持。" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "切片信息" +msgid "AMF Reader" +msgstr "AMF 读取器" -#: 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 备份" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "提供仿真视图。" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "提供 CuraEngine 切片后端的路径。" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "仿真视图" - -#: 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 "打印机设置操作" - -#: 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 "材料配置文件" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "提供一个基本的实体网格视图。" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "实体视图" +msgid "CuraEngine Backend" +msgstr "CuraEngine 后端" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5837,15 +5549,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Cura 配置文件读取器" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "支持写入 Ultimaker 格式包。" +msgid "Provides support for exporting Cura profiles." +msgstr "提供了对导出 Cura 配置文件的支持。" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UFP 写入器" +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 "" + +#: DigitalLibrary/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 "从压缩存档文件读取 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" @@ -5867,15 +5649,445 @@ msgctxt "name" msgid "Image Reader" msgstr "图像读取器" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "备份和还原配置。" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "支持从 Cura 旧版本导入配置文件。" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura 备份" +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." +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 "在 Cura 中提供准备阶段。" + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "准备阶段" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "在 Cura 中提供预览阶段。" + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "预览阶段" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "提供可移动磁盘热插拔和写入文件的支持。" + +#: RemovableDriveOutputDevice/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 "实体视图" + +#: 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 "查找、管理和安装新的Cura包。" + +#: 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 "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 读取器" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "支持写入 Ultimaker 格式包。" + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UFP 写入器" + +#: 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 打印机操作" + +#: 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 网络连接" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "接受 G-Code 并将其发送到一台打印机。 插件也可以更新固件。" + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB 联机打印" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "将配置从 Cura 2.1 版本升级至 2.2 版本。" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "版本自 2.1 升级到 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "将配置从 Cura 2.5 版本升级至 2.6 版本。" + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "版本自 2.5 升级到 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "将配置从 Cura 2.6 版本升级至 2.7 版本。" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "版本自 2.6 升级到 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "将配置从 Cura 2.7 版本升级至 3.0 版本。" + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "将配置从 Cura 3.4 版本升级至 3.5 版本。" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "版本自 3.4 升级到 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "请将配置从 Cura 4.2 升级至 Cura 4.3。" + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "版本自 4.2 升级至 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "将配置从 Cura 4.3 升级至 Cura 4.4。" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "支持读取 X3D 文件。" + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D 读取器" + +#: 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 "材料配置文件" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "提供透视视图。" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "透视视图" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/zh_CN/fdmextruder.def.json.po b/resources/i18n/zh_CN/fdmextruder.def.json.po index bf950a0d34..01edc05a49 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 a2f2e18dca..686fc86c73 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+0000\n" "PO-Revision-Date: 2021-04-16 15:04+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Chinese , PCDotFan , Chinese \n" @@ -3201,8 +3201,8 @@ msgstr "最大梳距,无收缩" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "当非零的时候,梳理比这段距离更长的旅行移动将会使用撤回。" +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6402,6 +6402,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "在将模型从文件中载入时应用在模型上的转换矩阵。" +#~ msgctxt "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "当非零的时候,梳理比这段距离更长的旅行移动将会使用撤回。" + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "将挤出机偏移量应用到坐标轴系统。" diff --git a/resources/i18n/zh_TW/cura.po b/resources/i18n/zh_TW/cura.po index 3211dd3226..1f7eddc0c4 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:10+0200\n" +"POT-Creation-Date: 2021-06-10 17:35+0200\n" "PO-Revision-Date: 2021-04-16 20:13+0200\n" "Last-Translator: Valen Chang \n" "Language-Team: Valen Chang / Leo Hsu\n" @@ -18,170 +18,180 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 2.4.1\n" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:523 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "正在載入印表機..." +#: /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:1612 +#: /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 "未知" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:530 -msgctxt "@info:progress" -msgid "Setting up preferences..." -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 "下列印表機因為是群組的一部份導致無法連接" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:668 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "正在初始化啟用的機器..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "可用的網路印表機" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:799 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "正在初始化機器管理員..." +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:211 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "不覆寫" -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:813 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "正在初始化列印範圍..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:884 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "正在設定場景..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:920 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "正在載入介面..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:925 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "正在初始化引擎..." - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1242 -#, 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" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1799 -#, 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} 已跳過匯入" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1800 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:188 /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -msgctxt "@info:title" -msgid "Warning" -msgstr "警告" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1809 -#, 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} 已跳過匯入" - -#: /mnt/projects/ultimaker/cura/Cura/cura/CuraApplication.py:1810 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:146 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:153 -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 -msgctxt "@info:title" -msgid "Error" -msgstr "錯誤" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /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!" msgstr "你確定要移除 {0} 嗎?這動作無法復原!" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:226 -msgctxt "@label" -msgid "Custom Material" -msgstr "自訂線材" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/MaterialManagementModel.py:227 /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 -msgctxt "@label" -msgid "Custom" -msgstr "自訂" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:338 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:11 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /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 "預設值" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:361 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1612 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +#: /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 "Unknown" -msgstr "未知" +msgid "Visual" +msgstr "外觀" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /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:234 +msgctxt "@label" +msgid "Custom Material" +msgstr "自訂線材" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:235 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:205 +msgctxt "@label" +msgid "Custom" +msgstr "自訂" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 msgctxt "@label" msgid "Custom profiles" msgstr "自訂列印參數" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "所有支援的類型 ({0})" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "所有檔案 (*)" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:14 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -msgctxt "@label" -msgid "Visual" -msgstr "外觀" +#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:181 +msgctxt "@info:title" +msgid "Login failed" +msgstr "登入失敗" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:15 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "正在為物件尋找新位置" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:18 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -msgctxt "@label" -msgid "Engineering" -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 "尋找位置中" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:19 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -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/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:76 +msgctxt "@info:status" +msgid "Unable to find a location within the build volume for all objects" +msgstr "無法在列印範圍內放下全部物件" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:22 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -msgctxt "@label" -msgid "Draft" -msgstr "草稿" +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "無法找到位置" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentTranslations.py:23 /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -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/Backups/Backup.py:116 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "無法從使用者資料目錄建立備份檔:{}" -#: /mnt/projects/ultimaker/cura/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/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 +msgctxt "@info:title" +msgid "Backup" +msgstr "備份" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "可用的網路印表機" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:135 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "嘗試復原沒有正確資料或 meta data 的 Cura 備份。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Machines/Models/ExtrudersModel.py:211 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "不覆寫" +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:146 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "嘗試復原的 Cura 備份的版本比目前的軟體版本新。" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:107 +#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:157 +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 +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:100 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "列印範圍" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura 無法啟動" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:113 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

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

    \n" @@ -196,32 +206,32 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:122 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "傳送錯誤報告給 Ultimaker" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:125 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "顯示詳細的錯誤報告" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:129 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "顯示設定資料夾" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:140 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "備份和重置設定" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:171 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "錯誤報告" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:190 +#: /home/trin/Gedeeld/Projects/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" @@ -232,1050 +242,491 @@ msgstr "" "

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

    \n" " " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:198 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "系統資訊" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "未知" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:228 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura 版本" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:229 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura 語言" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:230 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "作業系統語言" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:231 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "平台" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:232 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt 版本" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:233 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt 版本" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:234 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:264 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "尚未初始化
    " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:267 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL 版本:{version}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL 供應商:{vendor}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:269 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL 渲染器:{renderer}
  • " -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:303 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "錯誤追溯" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:389 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "日誌" -#: /mnt/projects/ultimaker/cura/Cura/cura/CrashHandler.py:417 +#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "送出報告" -#: /mnt/projects/ultimaker/cura/Cura/cura/API/Account.py:179 -msgctxt "@info:title" -msgid "Login failed" -msgstr "登入失敗" +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:527 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "正在載入印表機..." -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationHelpers.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:534 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "正在設定偏好設定..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:672 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "正在初始化啟用的機器..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:803 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "正在初始化機器管理員..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:817 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "正在初始化列印範圍..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:888 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "正在設定場景..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:924 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "正在載入介面..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:929 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "正在初始化引擎..." + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1246 +#, 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:1799 +#, 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:1800 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:190 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:244 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +msgctxt "@info:title" +msgid "Warning" +msgstr "警告" + +#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1809 +#, 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:1810 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:146 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:139 +msgctxt "@info:title" +msgid "Error" +msgstr "錯誤" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:26 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "正在複製並放置模型" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:28 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "正在放置模型" + +#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:77 +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 "雲端沒有讀取回應。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:187 -msgctxt "@info" -msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." -msgstr "無法開始新的登入程序。檢查是否有其他登入仍在進行中。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationService.py:242 -msgctxt "@info" -msgid "Unable to reach the Ultimaker account server." -msgstr "無法連上 Ultimaker 帳號伺服器。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 msgctxt "@message" msgid "The provided state is not correct." msgstr "提供的狀態不正確。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 msgctxt "@message" msgid "Please give the required permissions when authorizing this application." msgstr "核准此應用程式時,請給予所需的權限。" -#: /mnt/projects/ultimaker/cura/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 +#: /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 "嘗試登入時出現意外狀況,請再試一次。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:205 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:132 +#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:189 +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:244 +msgctxt "@info" +msgid "Unable to reach the Ultimaker account server." +msgstr "無法連上 Ultimaker 帳號伺服器。" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:205 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:132 msgctxt "@title:window" msgid "File Already Exists" msgstr "檔案已經存在" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:206 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:133 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:206 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:133 #, 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} 已存在。你確定要覆蓋掉它嗎?" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:456 /mnt/projects/ultimaker/cura/Cura/cura/Settings/ContainerManager.py:459 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:457 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:460 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "無效的檔案網址:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:713 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 -msgctxt "@label" -msgid "Nozzle" -msgstr "噴頭" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:856 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "設定已被更改為符合目前擠出機:" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:858 -msgctxt "@info:title" -msgid "Settings updated" -msgstr "設定更新" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/MachineManager.py:1478 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "擠出機已停用" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:144 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:144 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "無法將列印參數匯出至 {0}{1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:151 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:151 #, 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}:寫入器外掛報告故障。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "列印參數已匯出至:{0}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:157 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:157 msgctxt "@info:title" msgid "Export succeeded" msgstr "匯出成功" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:188 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:188 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "無法從 {0} 匯入列印參數:{1}" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:192 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:192 #, 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} 匯入列印參數。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:207 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:207 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "檔案 {0} 內沒有自訂列印參數可匯入" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:211 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:211 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "從 {0} 匯入列印參數失敗:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:235 /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:245 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:235 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:245 #, 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} 含有不正確的資料,無法匯入。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:338 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:338 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "從 {0} 匯入列印參數失敗:" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:342 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:342 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "已成功匯入列印參數 {0}。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:349 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:349 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "檔案 {0} 內未含有效的列印參數。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:352 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:352 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "列印參數 {0} 檔案類型未知或已損壞。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:426 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:426 msgctxt "@label" msgid "Custom profile" msgstr "自訂列印參數" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:442 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:442 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "列印參數缺少列印品質類型定義。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:446 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:446 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "尚未啟動列印機." -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:452 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:452 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "無法新增列印參數。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:466 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:466 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "品質類型 '{0}' 與目前的啟用的機器設定 '{1} '不相容。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/CuraContainerRegistry.py:471 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:471 #, 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}' 無法在目前設定使用。切換到可使用此品質類型的線材/噴頭組合。" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:36 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 msgctxt "@info:not supported profile" msgid "Not supported" msgstr "不支援" -#: /mnt/projects/ultimaker/cura/Cura/cura/Settings/cura_empty_instance_containers.py:55 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 msgctxt "@info:No intent profile selected" msgid "Default" msgstr "預設值" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "正在為物件尋找新位置" +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +msgctxt "@label" +msgid "Nozzle" +msgstr "噴頭" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:856 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "設定已被更改為符合目前擠出機:" + +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:858 msgctxt "@info:title" -msgid "Finding Location" -msgstr "尋找位置中" +msgid "Settings updated" +msgstr "設定更新" -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:150 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:76 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "無法在列印範圍內放下全部物件" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /mnt/projects/ultimaker/cura/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1478 msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "無法找到位置" +msgid "Extruder(s) Disabled" +msgstr "擠出機已停用" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/ObjectsModel.py:69 +#: /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/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/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:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +msgctxt "@action:button" +msgid "Cancel" +msgstr "取消" + +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 #, python-brace-format msgctxt "@label" msgid "Group #{group_nr}" msgstr "群組 #{group_nr}" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:55 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:268 -msgctxt "@action:button" -msgid "Skip" -msgstr "略過" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WhatsNewPagesModel.py:60 /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:482 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "關閉" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:56 /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "下一步" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/WelcomePagesModel.py:272 /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:26 -msgctxt "@action:button" -msgid "Finish" -msgstr "完成" - -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:82 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:82 msgctxt "@tooltip" msgid "Outer Wall" msgstr "外壁" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:83 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:83 msgctxt "@tooltip" msgid "Inner Walls" msgstr "內壁" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:84 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:84 msgctxt "@tooltip" msgid "Skin" msgstr "表層" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:85 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 msgctxt "@tooltip" msgid "Infill" msgstr "填充" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:86 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 msgctxt "@tooltip" msgid "Support Infill" msgstr "支撐填充" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:87 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 msgctxt "@tooltip" msgid "Support Interface" msgstr "支撐介面" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:88 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 msgctxt "@tooltip" msgid "Support" msgstr "支撐" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:89 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 msgctxt "@tooltip" msgid "Skirt" msgstr "外圍" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:90 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 msgctxt "@tooltip" msgid "Prime Tower" msgstr "裝填塔" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:91 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 msgctxt "@tooltip" msgid "Travel" msgstr "移動" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:92 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 msgctxt "@tooltip" msgid "Retractions" msgstr "回抽" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/PrintInformation.py:93 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 msgctxt "@tooltip" msgid "Other" msgstr "其它" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 msgctxt "@action:button" -msgid "Add" -msgstr "增加" +msgid "Next" +msgstr "下一步" -#: /mnt/projects/ultimaker/cura/Cura/cura/UI/AddPrinterPagesModel.py:33 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:42 -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:292 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 +#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 msgctxt "@action:button" -msgid "Cancel" -msgstr "取消" +msgid "Skip" +msgstr "略過" -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:98 -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 "由於「列印序列」設定的值,成形列印範圍高度已被減少,以防止龍門與列印模型相衝突。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/BuildVolume.py:100 -msgctxt "@info:title" -msgid "Build Volume" -msgstr "列印範圍" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:113 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "無法從使用者資料目錄建立備份檔:{}" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:119 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:107 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:113 -msgctxt "@info:title" -msgid "Backup" -msgstr "備份" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:132 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "嘗試復原沒有正確資料或 meta data 的 Cura 備份。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/Backups/Backup.py:143 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "嘗試復原的 Cura 備份的版本比目前的軟體版本新。" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:26 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "正在複製並放置模型" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:28 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "正在放置模型" - -#: /mnt/projects/ultimaker/cura/Cura/cura/MultiplyObjectsJob.py:77 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "擺放物件中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "儲存至行動裝置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "儲存到行動裝置 {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "沒有可供寫入的檔案格式!" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "正在儲存到行動裝置 {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:96 -msgctxt "@info:title" -msgid "Saving" -msgstr "儲存中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "無法儲存到 {0}{1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:125 -#, 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} 時無法找到檔名。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:138 /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "無法儲存到行動裝置 {0}:{1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "儲存到行動裝置 {0}:{1}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:147 -msgctxt "@info:title" -msgid "File Saved" -msgstr "檔案已儲存" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#: /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 "Eject" -msgstr "卸載" +msgid "Close" +msgstr "關閉" -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "卸載行動裝置 {0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "已卸載 {0}。現在你可以安全地移除行動裝置。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "安全移除硬體" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "無法卸載 {0},可能有其它程式正在使用行動裝置。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "行動裝置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeProfileReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "更新韌體" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "拒絕" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "同意" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "外掛授權協議" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "拒絕並從帳號中刪除" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "下載外掛 {} 失敗" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "同步中..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "從你的 Ultimaker 帳號偵測到資料更動" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "你需要結束並重新啟動 {} ,更動才能生效。" - -#: /mnt/projects/ultimaker/cura/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 "你要使用你的帳號同步線材資料和軟體套件嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "同步" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "單一模型設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "設定對每個模型的單獨設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "後處理" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "修改 G-Code 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "無法使用目前線材切片,因為它與所選機器或設定不相容。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "無法切片" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "無法使用目前設定進行切片。以下設定存在錯誤:{0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:436 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:445 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "無法切片(原因:換料塔或主位置無效)。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:454 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "有物件使用了被停用的擠出機 %s ,因此無法進行切片。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:463 -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" -"- 沒有全部設定成修改網格" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "正在處理層" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:title" -msgid "Information" -msgstr "資訊" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB 連線列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "透過 USB 連線列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "透過 USB 連線列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "透過 USB 連接" - -#: /mnt/projects/ultimaker/cura/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 將停止此列印工作。你確定要繼續嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -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 開始另一次列印。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 -msgctxt "@message" -msgid "Print in Progress" -msgstr "列印正在進行中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileWriter/__init__.py:14 /mnt/projects/ultimaker/cura/Cura/plugins/CuraProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura 列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "透過網路連接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:227 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "從你的 Ultimaker 帳號偵測到新的印表機" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:238 -#, 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})" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -#, 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} 其他" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:260 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "從 Digital Factory 新增的印表機:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 -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] "印表機無法使用雲端連接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 -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:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "要建立連線,請前往 {website_link}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "保留印表機設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "移除印表機" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 -#, 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} 將被移除,直到下次帳號同步之前。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:422 -#, 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}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:423 -#, 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} 嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:460 -msgctxt "@title:window" -msgid "Remove printers?" -msgstr "移除印表機?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 -#, python-brace-format -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" -"你確定要繼續嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 -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" -"你確定要繼續嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:152 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "透過雲端服務列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:153 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "透過雲端服務列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "透過雲端服務連接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:264 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "不明上傳列印作業錯誤代碼:{0}" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "明天" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "今天" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "正在傳送列印作業" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "正在上傳列印作業到印表機。" - -#: /mnt/projects/ultimaker/cura/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},但它不是印表機群組的管理者。你可以透過網頁將其設定為印表機群組的管理者。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "不是印表機群組管理者" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:35 -msgctxt "@action" -msgid "Configure group" -msgstr "設定印表機群組" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 -msgctxt "@info:status" -msgid "Send and monitor print jobs from anywhere using your Ultimaker account." -msgstr "利用你的 Ultimaker 帳號在任何地方傳送和監控列印作業。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 -msgctxt "@info:status Ultimaker Cloud should not be translated." -msgid "Connect to Ultimaker Digital Factory" -msgstr "連接到 Ultimaker Digital Factory" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 -msgctxt "@action" -msgid "Get started" -msgstr "開始" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "請等待目前作業傳送完成。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "列印錯誤" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "雲端服務未上傳資料到印表機。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "網路錯誤" - -#: /mnt/projects/ultimaker/cura/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} 的管理主機上未安裝的線材參數。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "向印表機傳送線材參數中" - -#: /mnt/projects/ultimaker/cura/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 "列印作業隊列已滿,印表機無法再接受新的作業。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "隊列已滿" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "列印作業已成功傳送到印表機。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "資料傳送" - -#: /mnt/projects/ultimaker/cura/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 的印表機。請將印表機更新至最新版本的韌體。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "更新你印表機" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "網路連線列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "網路連線列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "透過網路連接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "選擇升級" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "調平列印平台" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "推薦" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "自訂選項" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:535 -#, 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}。機器無法被匯入,但模型將被匯入。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:538 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "開啟專案檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:634 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "專案檔案 {0} 無法存取:{1}。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:635 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "無法開啟專案檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "專案檔案{0} 已毀損 : {1}." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:693 -#, 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 未知的參數製作。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:27 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/__init__.py:33 -msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/__init__.py:17 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzReader/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "壓縮 G-code 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "G-code GZ 寫入器不支援非文字模式。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3D 模型助手" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ModelChecker/ModelChecker.py:96 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:96 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1289,1296 +740,1492 @@ msgstr "" "

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

    \n" "

    閱讀列印品質指南

    " -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /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/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "開啟專案檔案" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:639 +#, 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:640 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:647 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "無法開啟專案檔案" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:646 +#, 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:698 +#, 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 +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/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 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF 檔案" + +#: /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:26 +msgctxt "@info:title" +msgid "Backups" +msgstr "備份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "上傳你的備份時發生錯誤。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "正在建立備份..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "建立備份時發生了錯誤。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "正在上傳你的備份..." + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "你的備份上傳完成。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 +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:64 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "管理備份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:382 +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:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:413 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:437 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:446 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "無法切片" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:412 +#, 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:436 +#, 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:445 +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:454 +#, 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:463 +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:260 +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 "無法存取更新資訊。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /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 not already at the latest version, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "可能有適用於你的 {machine_name} 的新功能或錯誤修正!假如尚未使用最新版本,建議更新你印表機的韌體到版本 {latest_version}。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /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 firmware available" msgstr "有新 %s 韌體可用" -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "如何更新" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G 檔案" +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "更新韌體" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:347 +#: /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" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:349 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:503 +#: /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 細項設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeReader/FlavorParser.py:501 +#: /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 檔案可能不準確。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "支撐阻斷器" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "建立一塊不列印支撐的空間。" - -#: /mnt/projects/ultimaker/cura/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" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "G File" +msgstr "G 檔案" -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPReader/__init__.py:22 /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker 格式的封包" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "準備" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "監控" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "透視檢視" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "寫入 3mf 檔案發生錯誤。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura 專案 3MF 檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF 寫入器外掛已損壞。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /mnt/projects/ultimaker/cura/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "沒有寫入此處工作區的權限。" - -#: /mnt/projects/ultimaker/cura/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 "操作系統不允許將專案檔案儲存到此位置或儲存為此檔名。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "預覽" - -# Added manually to fix a string that was changed after string freeze. -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "分層檢視" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:124 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "當鐵絲網列印(Wire Printing)功能開啟時,Cura 將無法準確地顯示列印層。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:125 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "模擬檢視" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "因為你還沒切片,沒有東西可顯示。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:126 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "沒有列印層可顯示" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationView.py:127 /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "不要再顯示這個訊息" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "印表機設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "實體檢視" - -#: /mnt/projects/ultimaker/cura/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." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "模型錯誤" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/SolidView/SolidView.py:79 -msgctxt "@action:button" -msgid "Learn more" -msgstr "學習更多" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UFPWriter/UFPWriter.py:134 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "無法寫入 UFP 檔案:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +#: /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 寫入器不支援非文字模式。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /mnt/projects/ultimaker/cura/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +#: /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 準備好。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:14 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 msgctxt "@item:inlistbox" msgid "JPG Image" msgstr "JPG 圖片" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:18 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 msgctxt "@item:inlistbox" msgid "JPEG Image" msgstr "JPEG 圖片" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:22 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 msgctxt "@item:inlistbox" msgid "PNG Image" msgstr "PNG 圖片" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:26 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 msgctxt "@item:inlistbox" msgid "BMP Image" msgstr "BMP 圖片" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/__init__.py:30 +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 msgctxt "@item:inlistbox" msgid "GIF Image" msgstr "GIF 圖片" -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:23 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "嘗試恢復備份時發生錯誤。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:title" -msgid "Backups" -msgstr "備份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:27 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "上傳你的備份時發生錯誤。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:47 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "正在建立備份..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:54 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "建立備份時發生了錯誤。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:58 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "正在上傳你的備份..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:68 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "你的備份上傳完成。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/CreateBackupJob.py:107 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "備份超過了最大檔案大小。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:64 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "管理備份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "更新韌體" - -#: /mnt/projects/ultimaker/cura/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 印表機上運行的一個軟體。此韌體控制步進馬達,調節溫度讓印表機正常運作。" - -#: /mnt/projects/ultimaker/cura/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 "新印表機出廠配備的韌體完全可以正常使用,但新版本往往具有更多的新功能和改進。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "自動升級韌體" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "上傳自訂韌體" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "因為沒有與印表機連線,無法更新韌體。" - -#: /mnt/projects/ultimaker/cura/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 "因為連線的印表機不支援更新韌體,無法更新韌體。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "選擇自訂韌體" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "韌體更新" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "更新韌體中..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "韌體更新已完成。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "由於未知錯誤,韌體更新失敗。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "由於通訊錯誤,導致韌體更新失敗。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "由於輸入/輸出錯誤,導致韌體更新失敗。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "由於韌體遺失,導致韌體更新失敗。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "市集" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "你必需同意授權協議才能安裝套件" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "你帳戶的更動" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "捨棄" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:182 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -msgctxt "@button" -msgid "Next" -msgstr "下一步" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "將新增下列套件:" - -#: /mnt/projects/ultimaker/cura/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 版本不相容,無法安裝:" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "移除確認" - -#: /mnt/projects/ultimaker/cura/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 "你正在移除仍被使用的線材/列印設定。確認後會將下列耗材/列印設定重設為預設值。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "線材" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "參數" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "確定" - -#: /mnt/projects/ultimaker/cura/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 套件資料庫。請檢查你的網路連線。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "社群貢獻" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "社群外掛" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "通用線材" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "版本" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "最後更新時間" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "品牌" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "下載" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "已安裝外掛" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "尚未安裝任何外掛。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:86 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "已安裝線材" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 -msgctxt "@info" -msgid "No material has been installed." -msgstr "尚未安裝任何線材。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "捆綁式外掛" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "捆綁式線材" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "網站" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "電子郵件" - -#: /mnt/projects/ultimaker/cura/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 驗証的外掛及線材" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:199 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:53 -msgctxt "@button" -msgid "Sign in" -msgstr "登入" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "取得套件..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "相容性" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "機器" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "列印平台" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "支撐" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "品質" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "技術資料表" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "安全資料表" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "列印指南" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "網站" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "外掛" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:457 -msgctxt "@title:tab" -msgid "Materials" -msgstr "線材" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "已安裝" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "前往網路市集" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "將在重新啟動時安裝" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -msgctxt "@action:button" -msgid "Update" -msgstr "更新" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -msgctxt "@action:button" -msgid "Updating" -msgstr "更新中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -msgctxt "@action:button" -msgid "Updated" -msgstr "更新完成" - -#: /mnt/projects/ultimaker/cura/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 "需要登入才能進行升級" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "降級版本" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "移除" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "已安裝" - -#: /mnt/projects/ultimaker/cura/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 "需要登入才能進行安裝或升級" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "購買線材線軸" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "付費會員" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "搜尋線材" - -#: /mnt/projects/ultimaker/cura/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,套件的更動才能生效。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "結束 %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "返回" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "安裝" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "網格類型" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "普通模型" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "做為支撐" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "修改重疊處設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "重疊處不建立支撐" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "只填充網格" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 列印參數" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "切割網格" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 -msgctxt "@action:button" -msgid "Select settings" -msgstr "選擇設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "選擇對此模型的自訂設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:94 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "篩選..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "顯示全部" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:18 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "後處理外掛" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:57 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "後處理腳本" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:233 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 msgctxt "@action" -msgid "Add a script" -msgstr "添加一個腳本" +msgid "Machine Settings" +msgstr "印表機設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:279 +#: /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 "Settings" -msgstr "設定" +msgid "Per Model Settings" +msgstr "單一模型設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:499 +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "更改目前啟用的後處理腳本。" +msgid "Configure Per Model Settings" +msgstr "設定對每個模型的單獨設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:503 +#: /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:96 +#, 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:96 +msgctxt "@info:title" +msgid "Saving" +msgstr "儲存中" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:106 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:109 +#, 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:125 +#, 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:138 +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, 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:147 +#, 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:147 +msgctxt "@info:title" +msgid "File Saved" +msgstr "檔案已儲存" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +msgctxt "@action:button" +msgid "Eject" +msgstr "卸載" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:148 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "卸載行動裝置 {0}" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:163 +#, 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:163 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "安全移除硬體" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:165 +#, 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:128 +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:129 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "模擬檢視" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "因為你還沒切片,沒有東西可顯示。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "沒有列印層可顯示" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:131 +#: /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/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/SolidView.py:79 +msgctxt "@action:button" +msgid "Learn more" +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 "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "下列為啟用中的腳本:" +msgid "Create a volume in which supports are not printed." +msgstr "建立一塊不列印支撐的空間。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -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 "你要使用你的帳號同步線材資料和軟體套件嗎?" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:93 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "從你的 Ultimaker 帳號偵測到資料更動" -#: /mnt/projects/ultimaker/cura/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/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "同步" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "列印作業" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:89 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "同步中..." -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "總列印時間" +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "拒絕" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -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 "同意" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "修改設定" +msgid "Plugin License Agreement" +msgstr "外掛授權協議" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:38 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "拒絕並從帳號中刪除" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:20 +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 "Override" -msgstr "覆寫" +msgid "Print via cloud" +msgstr "透過雲端服務列印" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "透過雲端服務列印" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "透過雲端服務連接" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDevice.py:270 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "不明上傳列印作業錯誤代碼:{0}" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:227 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "從你的 Ultimaker 帳號偵測到新的印表機" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:238 +#, 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})" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:255 +#, 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} 其他" -#: /mnt/projects/ultimaker/cura/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/src/Cloud/CloudOutputDeviceManager.py:260 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "從 Digital Factory 新增的印表機:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -msgctxt "@label" -msgid "Glass" -msgstr "玻璃" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:316 +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] "印表機無法使用雲端連接" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "鋁" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:324 +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:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "無法使用的印表機" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "可用的第一個" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "要建立連線,請前往 {website_link}" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "請更新你印表機的韌體以便遠端管理工作隊列。" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "保留印表機設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "移除印表機" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:421 +#, 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:422 +#, 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:423 +#, 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:460 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "連接到網路印表機" +msgid "Remove printers?" +msgstr "移除印表機?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:463 +#, python-brace-format 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 檔案傳輸到印表機。" +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" +"你確定要繼續嗎?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:468 msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "從下列清單中選擇你的印表機:" +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" +"你確定要繼續嗎?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "編輯" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:27 +msgctxt "@info:status" +msgid "Send and monitor print jobs from anywhere using your Ultimaker account." +msgstr "利用你的 Ultimaker 帳號在任何地方傳送和監控列印作業。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "移除" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:33 +msgctxt "@info:status Ultimaker Cloud should not be translated." +msgid "Connect to Ultimaker Digital Factory" +msgstr "連接到 Ultimaker Digital Factory" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "刷新" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:36 +msgctxt "@action" +msgid "Get started" +msgstr "開始" -#: /mnt/projects/ultimaker/cura/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/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 的印表機。請將印表機更新至最新版本的韌體。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "類型" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "更新你印表機" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -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} 的管理主機上未安裝的線材參數。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "位址" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "向印表機傳送線材參數中" -#: /mnt/projects/ultimaker/cura/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/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},但它不是印表機群組的管理者。你可以透過網頁將其設定為印表機群組的管理者。" -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "不是印表機群組管理者" -#: /mnt/projects/ultimaker/cura/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/src/Messages/NotClusterHostMessage.py:35 +msgctxt "@action" +msgid "Configure group" +msgstr "設定印表機群組" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -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 "請等待目前作業傳送完成。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "無效的 IP 位址" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "列印錯誤" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "雲端服務未上傳資料到印表機。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "印表機網路位址" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "網路錯誤" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /mnt/projects/ultimaker/cura/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/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "正在傳送列印作業" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:227 -msgctxt "@action:button" -msgid "OK" -msgstr "確定" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "正在上傳列印作業到印表機。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:11 -msgctxt "@title:window" +#: /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 "網路連線列印" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 -msgctxt "@action:button" -msgid "Print" -msgstr "列印" +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "網路連線列印" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +#: /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 msgctxt "@label" -msgid "Printer selection" -msgstr "印表機選擇" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USB 列印正在進行中,關閉 Cura 將停止此列印工作。你確定要繼續嗎?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "移至頂端" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +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 開始另一次列印。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "刪除" +#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:134 +msgctxt "@message" +msgid "Print in Progress" +msgstr "列印正在進行中" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "繼續" +#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D 檔案" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "正在暫停..." +#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "透視檢視" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -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 "此列印可能會有些問題。點擊查看調整提示。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:285 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "暫停" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "正在中斷..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "中斷" - -#: /mnt/projects/ultimaker/cura/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 移至隊列的頂端嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "將列印作業移至最頂端" - -#: /mnt/projects/ultimaker/cura/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 嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "刪除列印作業" - -#: /mnt/projects/ultimaker/cura/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 嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "中斷列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "已中斷" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "已完成" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "正在準備..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "正在中斷..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "正在暫停..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "已暫停" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "正在繼續..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "需要採取的動作" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "在 %2 完成 %1" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "管理印表機" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "正在載入..." - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "無法使用" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "無法連接" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "閒置中" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "正在列印" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "無標題" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "匿名" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "需要修改設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "細項" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "請選擇適用於 Ultimaker Original 的更新檔案" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "熱床(官方版本或自製版本)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "列印平台調平" - -#: /mnt/projects/ultimaker/cura/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 "為了確保列印品質出色,你現在可以開始調整你的列印平台。當你點擊「移動到下一個位置」時,噴頭將移動到不同的可調節位置。" - -#: /mnt/projects/ultimaker/cura/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 "在噴頭停止的每一個位置下方插入一張紙,並調整平台高度。當紙張恰好被噴頭的尖端輕微壓住時,表示列印平台已被校準在正確的高度。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "開始進行列印平台調平" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "移動到下一個位置" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "開啟專案" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "更新已有設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "新建設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:69 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "摘要 - Cura 專案" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:93 msgctxt "@action:label" msgid "Printer settings" msgstr "印表機設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "如何解決機器的設定衝突?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:102 msgctxt "@action:label" msgid "Type" msgstr "類型" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 msgctxt "@action:label" msgid "Printer Group" msgstr "印表機群組" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:218 msgctxt "@action:label" msgid "Profile settings" msgstr "列印參數設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "如何解决列印參數中的設定衝突?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:117 -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 +#: /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:117 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:242 msgctxt "@action:label" msgid "Name" msgstr "名稱" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:259 msgctxt "@action:label" msgid "Intent" msgstr "意圖" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:226 msgctxt "@action:label" msgid "Not in profile" msgstr "不在列印參數中" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:231 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 覆寫" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "衍生自" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 覆寫" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "線材設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "如何解决線材的設定衝突?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "參數顯示設定" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "模式" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "顯示設定:" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 / %2" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /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 "載入專案時將清除列印平台上的所有模型。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "開啟" -#: /mnt/projects/ultimaker/cura/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/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "想要更多?" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /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:99 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "刪除備份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +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:108 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "復原備份" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +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 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura 備份" + +#: /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:199 +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 "韌體是直接在 3D 印表機上運行的一個軟體。此韌體控制步進馬達,調節溫度讓印表機正常運作。" + +#: /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 "新印表機出廠配備的韌體完全可以正常使用,但新版本往往具有更多的新功能和改進。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "自動升級韌體" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "上傳自訂韌體" + +#: /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 +msgctxt "@title:window" +msgid "Convert Image..." +msgstr "轉換圖片..." + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Height (mm)" +msgstr "高度 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Base (mm)" +msgstr "底板 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Width (mm)" +msgstr "寬度 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "Depth (mm)" +msgstr "深度 (mm)" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@item:inlistbox" +msgid "Darker is higher" +msgstr "顏色越深高度越高" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +msgctxt "@item:inlistbox" +msgid "Lighter is higher" +msgstr "顏色越淺高度越高" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@item:inlistbox" +msgid "Translucency" +msgstr "半透明" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@action:label" +msgid "1mm Transmittance (%)" +msgstr "1mm 透明度" + +#: /home/trin/Gedeeld/Projects/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 +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 +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 +msgctxt "@label" +msgid "Nozzle size" +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 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /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 "噴頭偏移 X" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "噴頭偏移 Y" + +#: /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 "擠出機起始 G-code" + +#: /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 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (寬度)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (深度)" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (高度)" + +#: /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 "G-code 類型" + +#: /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 "X 最小值" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y 最小值" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X 最大值" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y 最大值" + +#: /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 "將擠出機偏移設定至Gcode" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "起始 G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "結束 G-code" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2591,1359 +2238,969 @@ msgstr "" "- 檢查印表機是否已連接到網路。\n" "- 檢查是否已登入以尋找雲端連接的印表機。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "請將你的印表機連上網路。" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "查看線上使用者手冊" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +#: /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:149 +msgctxt "@item:inlistbox" +msgid "Infill mesh only" +msgstr "只填充網格" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:150 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "切割網格" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:380 +msgctxt "@action:button" +msgid "Select settings" +msgstr "選擇設定" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "更多關於匿名資料收集的資訊" +msgid "Select Settings to Customize for this model" +msgstr "選擇對此模型的自訂設定" -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "篩選..." -#: /mnt/projects/ultimaker/cura/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/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "顯示全部" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "允許傳送匿名資料" +#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "後處理外掛" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +#: /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] "下列為啟用中的腳本:" + +#: /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 "顏色方案" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:109 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 msgctxt "@label:listbox" msgid "Material Color" msgstr "線材顏色" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:113 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 msgctxt "@label:listbox" msgid "Line Type" msgstr "線條類型" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 msgctxt "@label:listbox" msgid "Speed" msgstr "速度" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 msgctxt "@label:listbox" msgid "Layer Thickness" msgstr "層厚" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:125 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 msgctxt "@label:listbox" msgid "Line Width" msgstr "線寬" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:163 +#: /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 "相容模式" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:237 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" msgid "Travels" msgstr "移動軌跡" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:243 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" msgid "Helpers" msgstr "輔助結構" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:249 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" msgid "Shell" msgstr "外殼" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:255 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +#: /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 "填充" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" msgid "Starts" msgstr "啟動" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:314 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" msgid "Only Show Top Layers" msgstr "只顯示頂層" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 msgctxt "@label" msgid "Show 5 Detailed Layers On Top" msgstr "顯示頂端 5 層列印細節" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 msgctxt "@label" msgid "Top / Bottom" msgstr "頂 / 底層" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:342 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 msgctxt "@label" msgid "Inner Wall" msgstr "內壁" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 msgctxt "@label" msgid "min" msgstr "最小值" -#: /mnt/projects/ultimaker/cura/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:464 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 msgctxt "@label" msgid "max" msgstr "最大值" -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "噴頭設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "噴頭孔徑" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "相容的線材直徑" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "噴頭偏移 X" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "噴頭偏移 Y" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "冷卻風扇數量" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "擠出機起始 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "擠出機結束 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "印表機" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "印表機設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (寬度)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (深度)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (高度)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "列印平台形狀" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "原點位於中心" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "熱床" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "熱箱" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "G-code 類型" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "列印頭設定" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X 最小值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y 最小值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X 最大值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y 最大值" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "吊車高度" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "擠出機數目" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "將擠出機偏移設定至Gcode" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "起始 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "結束 G-code" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 msgctxt "@title:window" -msgid "Convert Image..." -msgstr "轉換圖片..." +msgid "More information on anonymous data collection" +msgstr "更多關於匿名資料收集的資訊" -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:33 -msgctxt "@info:tooltip" -msgid "The maximum distance of each pixel from \"Base.\"" -msgstr "每個像素與底板的最大距離。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:38 -msgctxt "@action:label" -msgid "Height (mm)" -msgstr "高度 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:56 -msgctxt "@info:tooltip" -msgid "The base height from the build plate in millimeters." -msgstr "距離列印平台的底板高度,以毫米為單位。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:61 -msgctxt "@action:label" -msgid "Base (mm)" -msgstr "底板 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:79 -msgctxt "@info:tooltip" -msgid "The width in millimeters on the build plate." -msgstr "列印平台寬度,以毫米為單位。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:84 -msgctxt "@action:label" -msgid "Width (mm)" -msgstr "寬度 (mm)" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:103 -msgctxt "@info:tooltip" -msgid "The depth in millimeters on the build plate" -msgstr "列印平台深度,以毫米為單位" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:108 -msgctxt "@action:label" -msgid "Depth (mm)" -msgstr "深度 (mm)" - -#: /mnt/projects/ultimaker/cura/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 模型中較厚的位置。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Darker is higher" -msgstr "顏色越深高度越高" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:139 -msgctxt "@item:inlistbox" -msgid "Lighter is higher" -msgstr "顏色越淺高度越高" - -#: /mnt/projects/ultimaker/cura/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 "若要列印浮雕,使用一個簡易的對數模型計算半透明效果。若要列印高度圖,將像素值線性對應到高度。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 -msgctxt "@item:inlistbox" -msgid "Linear" -msgstr "線性" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:161 /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:172 -msgctxt "@item:inlistbox" -msgid "Translucency" -msgstr "半透明" - -#: /mnt/projects/ultimaker/cura/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 厚度列印件的百分比。降低此值可增加暗部的對比度,並降低亮部的對比度。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:177 -msgctxt "@action:label" -msgid "1mm Transmittance (%)" -msgstr "1mm 透明度" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:195 -msgctxt "@info:tooltip" -msgid "The amount of smoothing to apply to the image." -msgstr "影像平滑程度。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/ImageReader/ConfigUI.qml:200 -msgctxt "@action:label" -msgid "Smoothing" -msgstr "平滑" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "我的備份" - -#: /mnt/projects/ultimaker/cura/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 "你目前沒有任何備份。 使用「立即備份」按鈕建立一個。" - -#: /mnt/projects/ultimaker/cura/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 個備份。 刪除備份以顯示較舊的備份。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "備份並同步你的 Cura 設定。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "想要更多?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "立即備份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "自動備份" - -#: /mnt/projects/ultimaker/cura/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 時自動建立備份。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura 版本" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "印表機" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "線材" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "參數" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "外掛" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "復原" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:99 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "刪除備份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "你確定要刪除此備份嗎? 這動作無法復原。" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:108 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "復原備份" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -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 嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura 備份" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "線材" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "常用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "通用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "檔案(&F)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "儲存專案...(&S)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "匯出...(&E)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "匯出選擇..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "最近開啟的檔案(&R)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:112 -msgctxt "@label" -msgid "Select configuration" -msgstr "選擇設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 -msgctxt "@label" -msgid "Configurations" -msgstr "設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "自訂選項" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "已啟用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "線材" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:394 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "在此線材組合下,使用膠水以獲得較佳的附著。" - -#: /mnt/projects/ultimaker/cura/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 下載正確的線材參數設定。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "市集" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:57 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "從印表機載入可用的設定..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "由於印表機已斷線,因此設定無法使用。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:12 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "檢視(&V)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "視角位置(&C)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:44 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "攝影機檢視" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:47 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "透視" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:59 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "正交" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ViewMenu.qml:80 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "列印平台(&B)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "支援網路的印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "本機印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "顯示設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "折疊所有分類" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:51 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "管理參數顯示..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:13 /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:51 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "設定(&S)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "印表機(&P)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "線材(&M)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "設為主要擠出機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "啟用擠出機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "關閉擠出機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "儲存專案." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "列印所選模型:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "複製所選模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "複製個數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "開啟檔案." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 -msgctxt "@label:header" -msgid "Custom profiles" -msgstr "自訂列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "捨棄目前更改" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 -msgctxt "@label" -msgid "Profile" -msgstr "參數" - -#: /mnt/projects/ultimaker/cura/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" -"\n" -"Click to open the profile manager." -msgstr "" -"部份設定/覆寫值與儲存在列印參數中的值不同。\n" -"\n" -"點擊開啟列印參數管理器。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "開啟" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "關閉" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:33 -msgctxt "@label" -msgid "Experimental" -msgstr "實驗功能" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "推薦" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "自訂選項" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -msgctxt "@label" -msgid "Print settings" -msgstr "列印設定" - -#: /mnt/projects/ultimaker/cura/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 檔案無法修改。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:193 -msgctxt "@label" -msgid "Gradual infill" -msgstr "漸近式填充" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "漸近式填充將隨著列印高度的提升而逐漸加大填充密度。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:728 -msgctxt "@label" -msgid "Profiles" -msgstr "列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:81 -msgctxt "@tooltip" -msgid "You have modified some profile settings. If you want to change these go to custom mode." -msgstr "你修改過部份列印參數設定。如果你想改變這些設定,請切換到自訂模式。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 -msgctxt "@label" -msgid "Support" -msgstr "支撐" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 -msgctxt "@label" -msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." -msgstr "在模型的突出部分產生支撐結構。若不這樣做,這些部分在列印時將倒塌。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "附著" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:74 -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 "允許列印邊緣或木筏。這將在你的物件周圍或下方添加一個容易切斷的平面區域。" - -#: /mnt/projects/ultimaker/cura/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 參數。將使用預設參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Widgets/ComboBox.qml:24 -msgctxt "@label" -msgid "No items to select from" -msgstr "沒有可選取的專案" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:140 -msgctxt "@label" -msgid "Active print" -msgstr "正在列印" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" -msgstr "作業名稱" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "列印時間" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "預計剩餘時間" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "捨棄或保留更改" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 -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 "" -"你修改了一些參數設定。\n" -"你要在切換參數後保留這些更動嗎?\n" -"或者你也可以忽略這些更動,從 '%1' 載入預設值。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "列印參數設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 -msgctxt "@title:column" -msgid "Current changes" -msgstr "目前更動" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:747 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "總是詢問" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "捨棄更改,並不再詢問此問題" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "保留更改,並不再詢問此問題" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "忽略更動" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "保留更動" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:15 -msgctxt "@title:window The argument is the application name." -msgid "About %1" -msgstr "關於 %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:57 -msgctxt "@label" -msgid "version: %1" -msgstr "版本:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:72 -msgctxt "@label" -msgid "End-to-end solution for fused filament 3D printing." -msgstr "熔絲 3D 列印技術的的端對端解決方案。" - -#: /mnt/projects/ultimaker/cura/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 由 Ultimaker B.V. 與社區合作開發。\n" -"Cura 使用以下開源專案:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:135 -msgctxt "@label" -msgid "Graphical user interface" -msgstr "圖形用戶介面" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:136 -msgctxt "@label" -msgid "Application framework" -msgstr "應用框架" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:137 -msgctxt "@label" -msgid "G-code generator" -msgstr "G-code 產生器" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:138 -msgctxt "@label" -msgid "Interprocess communication library" -msgstr "進程間通訊交互使用庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:140 -msgctxt "@label" -msgid "Programming language" -msgstr "編程語言" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:141 -msgctxt "@label" -msgid "GUI framework" -msgstr "GUI 框架" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:142 -msgctxt "@label" -msgid "GUI framework bindings" -msgstr "GUI 框架綁定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:143 -msgctxt "@label" -msgid "C/C++ Binding library" -msgstr "C / C++ 綁定庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:144 -msgctxt "@label" -msgid "Data interchange format" -msgstr "資料交換格式" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:145 -msgctxt "@label" -msgid "Support library for scientific computing" -msgstr "科學計算函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:146 -msgctxt "@label" -msgid "Support library for faster math" -msgstr "高速運算函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:147 -msgctxt "@label" -msgid "Support library for handling STL files" -msgstr "用於處理 STL 檔案的函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:148 -msgctxt "@label" -msgid "Support library for handling planar objects" -msgstr "用於處理平面物件的函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:149 -msgctxt "@label" -msgid "Support library for handling triangular meshes" -msgstr "用於處理三角形網格的函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:150 -msgctxt "@label" -msgid "Support library for handling 3MF files" -msgstr "用於處理 3MF 檔案的函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:151 -msgctxt "@label" -msgid "Support library for file metadata and streaming" -msgstr "用於檔案 metadata 和串流的函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:152 -msgctxt "@label" -msgid "Serial communication library" -msgstr "串口通訊函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:153 -msgctxt "@label" -msgid "ZeroConf discovery library" -msgstr "ZeroConf 發現函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:154 -msgctxt "@label" -msgid "Polygon clipping library" -msgstr "多邊形剪輯函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:155 -msgctxt "@Label" -msgid "Static type checker for Python" -msgstr "Python 靜態型別檢查器" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:157 -msgctxt "@Label" -msgid "Root Certificates for validating SSL trustworthiness" -msgstr "驗證 SSL 可信度用的根憑證" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:158 -msgctxt "@Label" -msgid "Python Error tracking library" -msgstr "Python 錯誤追蹤函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:159 -msgctxt "@label" -msgid "Polygon packing library, developed by Prusa Research" -msgstr "多邊形包裝函式庫,由 Prusa Research 開發" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:160 -msgctxt "@label" -msgid "Python bindings for libnest2d" -msgstr "Python bindings for libnest2d" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:161 -msgctxt "@label" -msgid "Support library for system keyring access" -msgstr "存取系統金鑰函式庫" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:162 -msgctxt "@label" -msgid "Python extensions for Microsoft Windows" -msgstr "Python擴充(windows)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:163 -msgctxt "@label" -msgid "Font" -msgstr "字體" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:164 -msgctxt "@label" -msgid "SVG icons" -msgstr "SVG 圖標" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AboutDialog.qml:165 -msgctxt "@label" -msgid "Linux cross-distribution application deployment" -msgstr "Linux cross-distribution 應用程式部署" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:627 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "開啟檔案" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 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 "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 搜集匿名資料以提高列印品質和使用者體驗。以下是共享資料的範例:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 -msgctxt "@action:button" -msgid "Import all as models" -msgstr "匯入所有模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 -msgctxt "@title:window" -msgid "Save Project" -msgstr "儲存專案" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "擠出機 %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & 線材" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 -msgctxt "@action:label" -msgid "Material" -msgstr "線材" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "儲存時不再顯示專案摘要" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 -msgctxt "@action:button" -msgid "Save" -msgstr "儲存" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 -msgctxt "@title:window" -msgid "Open project file" -msgstr "開啟專案檔案" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 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 "I don't want to send anonymous data" +msgstr "我不想傳送匿名資料" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 msgctxt "@text:window" -msgid "Remember my choice" -msgstr "記住我的選擇" +msgid "Allow sending anonymous data" +msgstr "允許傳送匿名資料" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 msgctxt "@action:button" -msgid "Open as project" -msgstr "作為專案開啟" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "匯入模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "無標題" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "歡迎來到 Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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. 這會需要幾分鐘的時間." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "開始" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "空的" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "協助我們改進 Ultimaker Cura" - -#: /mnt/projects/ultimaker/cura/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 搜集匿名資料以提高列印品質和使用者體驗,包含:" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "機器類型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "線材用法" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "切片次數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "列印設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura 收集的資料不包含任何個人資訊。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "更多資訊" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "使用 IP 位址新增印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "輸入印表機的 IP 位址。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "新增" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "無法連接到裝置。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "無法連接到 Ultimaker 印表機?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "此位址的印表機尚未回應。" - -#: /mnt/projects/ultimaker/cura/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 "無法添加此印表機,因為它是未知的印表機,或者它不是印表機群組的主機。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" msgid "Back" msgstr "返回" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +#: /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 "需重新啟動 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:457 +#: /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:178 +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:86 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "已安裝線材" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:125 +msgctxt "@info" +msgid "No material has been installed." +msgstr "尚未安裝任何線材。" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:139 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "捆綁式外掛" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:184 +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/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 "要透過網路列印,請確認你的印表機已透過網路線或 WIFI 連接到網路。若你無法讓 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" +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 "連接" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +#: /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 "Add a printer" -msgstr "新增印表機" +msgid "Enter the IP address of your printer on the network." +msgstr "輸入印表機的 IP 位址。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +#: /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 "Add a networked printer" -msgstr "新增網路印表機" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "分配的印表機 %1 需要下列的設定更動:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "新增非網路印表機" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "已分配到印表機 %1,但列印工作含有未知的線材設定。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 msgctxt "@label" -msgid "What's New" -msgstr "新功能" +msgid "Change material %1 from %2 to %3." +msgstr "將線材 %1 從 %2 改成 %3。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "新增雲端印表機" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "將 %3 做為線材 %1 載入(無法覆寫)。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "等待雲端服務回應" +msgid "Change print core %1 from %2 to %3." +msgstr "將 print core %1 從 %2 改成 %3。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 msgctxt "@label" -msgid "No printers found in your account?" -msgstr "在你的帳號未發現任何印表機?" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "將列印平台改成 %1(無法覆寫)。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "下列你帳號中的印表機已新增至 Cura:" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "覆寫會將指定的設定套用在現有的印表機上。這可能導致列印失敗。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -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 "玻璃" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:64 /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:20 +#: /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: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:11 +msgctxt "@title:window" +msgid "Print over network" +msgstr "網路連線列印" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:52 +msgctxt "@action:button" +msgid "Print" +msgstr "列印" + +#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:80 +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 論壇" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "從市集中加入線材設定或插件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "備份及同步您的線材設定與插件" - -#: /mnt/projects/ultimaker/cura/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的使用者得到幫助" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:217 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "創建免費的Ultimaker帳戶" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/CloudContent.qml:230 -msgctxt "@button" -msgid "Skip" -msgstr "略過" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "使用者授權" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "拒絕並關閉" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "發佈通知" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "在你的網路上找不到印表機。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "更新" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "使用 IP 位址新增印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "新增雲端印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:240 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "故障排除" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 -msgctxt "@label" -msgid "Manufacturer" -msgstr "製造商" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 -msgctxt "@label" -msgid "Profile author" -msgstr "列印參數作者" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 -msgctxt "@label" -msgid "Printer name" -msgstr "印表機名稱" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 -msgctxt "@text" -msgid "Please name your printer" -msgstr "請為你的印表機取一個名稱" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:81 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "最後一次更新:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:109 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker 帳號" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/UserOperations.qml:125 -msgctxt "@button" -msgid "Sign Out" -msgstr "登出" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 msgctxt "@text" msgid "" "- Add material profiles and plug-ins from the Marketplace\n" @@ -3954,935 +3211,1916 @@ msgstr "" "-備份及同步您的線材設定與插件 \n" "- 分享創意並可從Ultimaker社群中超過48000的使用者得到幫助" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/GeneralOperations.qml:62 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 msgctxt "@button" msgid "Create a free Ultimaker account" msgstr "創建免費的Ultimaker帳戶" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "登入" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:28 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 msgctxt "@label" msgid "Checking..." msgstr "檢查中..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:35 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 msgctxt "@label" msgid "Account synced" msgstr "帳號已同步" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:42 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 msgctxt "@label" msgid "Something went wrong..." msgstr "出了些問題..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:96 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 msgctxt "@button" msgid "Install pending updates" msgstr "安裝待處理的更新" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Account/SyncState.qml:118 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 msgctxt "@button" msgid "Check for account updates" msgstr "檢查帳號更新" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "物件清單" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:81 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "最後一次更新:%1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:82 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:109 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker 帳號" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:125 +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 +msgctxt "@label:PrintjobStatus" +msgid "Slicing..." +msgstr "正在切片..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 +msgctxt "@label:PrintjobStatus" +msgid "Unable to slice" +msgstr "無法切片" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Processing" +msgstr "處理中" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 +msgctxt "@button" +msgid "Slice" +msgstr "切片" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 +msgctxt "@label" +msgid "Start the slicing process" +msgstr "開始切片程序" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 +msgctxt "@button" +msgid "Cancel" +msgstr "取消" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 msgctxt "@action:inmenu" msgid "Show Online Troubleshooting Guide" msgstr "顯示線上故障排除指南" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:89 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 msgctxt "@action:inmenu" msgid "Toggle Full Screen" msgstr "切換全螢幕" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:97 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 msgctxt "@action:inmenu" msgid "Exit Full Screen" msgstr "離開全螢幕" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:104 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 msgctxt "@action:inmenu menubar:edit" msgid "&Undo" msgstr "復原(&U)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:114 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 msgctxt "@action:inmenu menubar:edit" msgid "&Redo" msgstr "取消復原(&R)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:124 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:125 msgctxt "@action:inmenu menubar:file" msgid "&Quit" msgstr "退出(&Q)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:132 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 msgctxt "@action:inmenu menubar:view" msgid "3D View" msgstr "立體圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:139 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:140 msgctxt "@action:inmenu menubar:view" msgid "Front View" msgstr "前視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:147 msgctxt "@action:inmenu menubar:view" msgid "Top View" msgstr "上視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:153 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:154 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:161 msgctxt "@action:inmenu menubar:view" msgid "Left Side View" msgstr "左視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:160 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:168 msgctxt "@action:inmenu menubar:view" msgid "Right Side View" msgstr "右視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:167 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:175 msgctxt "@action:inmenu" msgid "Configure Cura..." msgstr "設定 Cura..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:174 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:182 msgctxt "@action:inmenu menubar:printer" msgid "&Add Printer..." msgstr "新增印表機(&A)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:180 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:188 msgctxt "@action:inmenu menubar:printer" msgid "Manage Pr&inters..." msgstr "管理印表機(&I)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:195 msgctxt "@action:inmenu" msgid "Manage Materials..." msgstr "管理線材..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:195 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 msgctxt "@action:inmenu" msgid "Add more materials from Marketplace" msgstr "從市集增加更多線材" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:202 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 msgctxt "@action:inmenu menubar:profile" msgid "&Update profile with current settings/overrides" msgstr "使用目前設定 / 覆寫更新列印參數(&U)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:210 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 msgctxt "@action:inmenu menubar:profile" msgid "&Discard current changes" msgstr "捨棄目前更改(&D)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:222 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:230 msgctxt "@action:inmenu menubar:profile" msgid "&Create profile from current settings/overrides..." msgstr "從目前設定 / 覆寫值建立列印參數(&C)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:228 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:236 msgctxt "@action:inmenu menubar:profile" msgid "Manage Profiles..." msgstr "管理列印參數.." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:236 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:244 msgctxt "@action:inmenu menubar:help" msgid "Show Online &Documentation" msgstr "顯示線上說明文件(&D)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:244 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:252 msgctxt "@action:inmenu menubar:help" msgid "Report a &Bug" msgstr "BUG 回報(&B)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:252 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:260 msgctxt "@action:inmenu menubar:help" msgid "What's New" msgstr "新功能" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:258 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:266 msgctxt "@action:inmenu menubar:help" msgid "About..." msgstr "關於..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:265 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:273 msgctxt "@action:inmenu menubar:edit" msgid "Delete Selected" msgstr "刪除選取" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:275 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:283 msgctxt "@action:inmenu menubar:edit" msgid "Center Selected" msgstr "置中選取" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:284 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:292 msgctxt "@action:inmenu menubar:edit" msgid "Multiply Selected" msgstr "複製選取" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:293 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:301 msgctxt "@action:inmenu" msgid "Delete Model" msgstr "刪除模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:301 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:309 msgctxt "@action:inmenu" msgid "Ce&nter Model on Platform" msgstr "將模型置中(&N)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:307 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 msgctxt "@action:inmenu menubar:edit" msgid "&Group Models" msgstr "群組模型(&G)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:327 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:335 msgctxt "@action:inmenu menubar:edit" msgid "Ungroup Models" msgstr "取消模型群組" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:337 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:345 msgctxt "@action:inmenu menubar:edit" msgid "&Merge Models" msgstr "結合模型(&M)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:347 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:355 msgctxt "@action:inmenu" msgid "&Multiply Model..." msgstr "複製模型...(&M)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:354 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:362 msgctxt "@action:inmenu menubar:edit" msgid "Select All Models" msgstr "選擇所有模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:364 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:372 msgctxt "@action:inmenu menubar:edit" msgid "Clear Build Plate" msgstr "清空列印平台" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:374 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:382 msgctxt "@action:inmenu menubar:file" msgid "Reload All Models" msgstr "重新載入所有模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:383 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:391 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models To All Build Plates" msgstr "將所有模型排列到所有列印平台上" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:390 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:398 msgctxt "@action:inmenu menubar:edit" msgid "Arrange All Models" msgstr "排列所有模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:398 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:406 msgctxt "@action:inmenu menubar:edit" msgid "Arrange Selection" msgstr "排列所選模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:405 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:413 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Positions" msgstr "重置所有模型位置" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:412 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:420 msgctxt "@action:inmenu menubar:edit" msgid "Reset All Model Transformations" msgstr "重置所有模型旋轉" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:421 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 msgctxt "@action:inmenu menubar:file" msgid "&Open File(s)..." msgstr "開啟檔案(&O)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:431 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:439 msgctxt "@action:inmenu menubar:file" msgid "&New Project..." msgstr "新建專案(&N)..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:438 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:446 msgctxt "@action:inmenu menubar:help" msgid "Show Configuration Folder" msgstr "顯示設定資料夾" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:445 /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:538 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:453 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:550 msgctxt "@action:menu" msgid "Configure setting visibility..." msgstr "參數顯示設定..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Actions.qml:452 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:460 msgctxt "@action:menu" msgid "&Marketplace" msgstr "市集(&M)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "已計算" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "目前" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "單位" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "資訊" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "直徑更改確認" - -#: /mnt/projects/ultimaker/cura/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,這與目前的擠出機不相容。你要繼續嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Display Name" -msgstr "顯示名稱" +msgid "This package will be installed after restarting." +msgstr "此套件將在重新啟動後安裝。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "線材類型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "顏色" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "屬性" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "密度" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "直徑" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "線材成本" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "線材重量" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "線材長度" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "每公尺成本" - -#: /mnt/projects/ultimaker/cura/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 相關聯,並共享其部份屬性。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "解除聯結線材" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "描述" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "附著資訊" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:40 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "啟用" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "建立" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "複製" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "匯入" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "匯出" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:234 -msgctxt "@action:label" -msgid "Printer" -msgstr "印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:298 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "移除確認" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:301 /mnt/projects/ultimaker/cura/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 嗎?這動作無法復原!" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:323 -msgctxt "@title:window" -msgid "Import Material" -msgstr "匯入線材設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:324 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "無法匯入線材 %1%2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:328 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "成功匯入線材 %1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:346 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:354 -msgctxt "@title:window" -msgid "Export Material" -msgstr "匯出線材設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:358 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "無法匯出線材至 %1%2" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:364 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "成功匯出線材至:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:16 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:455 -msgctxt "@title:tab" -msgid "Printers" -msgstr "印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/MachinesPage.qml:63 /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "重命名" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:34 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:459 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "建立" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "複製" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "建立列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "請為此參數提供一個名字。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "複製列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "重命名列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "匯入列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "匯出列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "印表機:%1" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "使用目前設定 / 覆寫值更新列印參數" - -#: /mnt/projects/ultimaker/cura/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 "此列印參數使用印表機指定的預設值,因此在下面的清單中沒有此設定項。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "你目前的設定與選定的列印參數相匹配。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "全局設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "參數顯示設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:46 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "全選" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:15 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:450 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 msgctxt "@title:tab" msgid "General" msgstr "基本" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:137 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:453 +msgctxt "@title:tab" +msgid "Settings" +msgstr "設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:455 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 +msgctxt "@title:tab" +msgid "Printers" +msgstr "印表機" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:459 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "列印參數" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:576 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "關閉 %1 中" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:577 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:589 +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/Cura.qml:627 +#: /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:737 +msgctxt "@window:title" +msgid "Install Package" +msgstr "安裝套件" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:745 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "開啟檔案" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:748 +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:857 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "新增印表機" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:865 +msgctxt "@title:window" +msgid "What's New" +msgstr "新功能" + +#: /home/trin/Gedeeld/Projects/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 msgctxt "@label" -msgid "Interface" -msgstr "介面" +msgid "version: %1" +msgstr "版本:%1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:216 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" -msgid "Currency:" -msgstr "貨幣:" +msgid "End-to-end solution for fused filament 3D printing." +msgstr "熔絲 3D 列印技術的的端對端解決方案。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:229 +#: /home/trin/Gedeeld/Projects/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 由 Ultimaker B.V. 與社區合作開發。\n" +"Cura 使用以下開源專案:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" -msgid "Theme:" -msgstr "主題:" +msgid "Graphical user interface" +msgstr "圖形用戶介面" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:285 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "需重新啟動 Cura,新的設定才能生效。" +msgid "Application framework" +msgstr "應用框架" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:302 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "當設定變更時自動進行切片。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:310 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "自動切片" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:324 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" -msgid "Viewport behavior" -msgstr "顯示區設定" +msgid "G-code generator" +msgstr "G-code 產生器" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:332 -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/Dialogs/AboutDialog.qml:138 +msgctxt "@label" +msgid "Interprocess communication library" +msgstr "進程間通訊交互使用庫" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:341 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "顯示突出部分" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +msgctxt "@label" +msgid "Programming language" +msgstr "編程語言" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:351 -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/Dialogs/AboutDialog.qml:141 +msgctxt "@label" +msgid "GUI framework" +msgstr "GUI 框架" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:360 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "顯示模型錯誤" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +msgctxt "@label" +msgid "GUI framework bindings" +msgstr "GUI 框架綁定" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:368 -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/Dialogs/AboutDialog.qml:143 +msgctxt "@label" +msgid "C/C++ Binding library" +msgstr "C / C++ 綁定庫" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:373 +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for scientific computing" +msgstr "科學計算函式庫" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling STL files" +msgstr "用於處理 STL 檔案的函式庫" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for handling triangular meshes" +msgstr "用於處理三角形網格的函式庫" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for file metadata and streaming" +msgstr "用於檔案 metadata 和串流的函式庫" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "ZeroConf discovery library" +msgstr "ZeroConf 發現函式庫" + +#: /home/trin/Gedeeld/Projects/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 +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 +msgctxt "@Label" +msgid "Root Certificates for validating SSL trustworthiness" +msgstr "驗證 SSL 可信度用的根憑證" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Polygon packing library, developed by Prusa Research" +msgstr "多邊形包裝函式庫,由 Prusa Research 開發" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Support library for system keyring access" +msgstr "存取系統金鑰函式庫" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Font" +msgstr "字體" + +#: /home/trin/Gedeeld/Projects/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 +msgctxt "@label" +msgid "Linux cross-distribution application deployment" +msgstr "Linux cross-distribution 應用程式部署" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +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 "這是一個 Cura 專案檔案。你想將其作為一個專案開啟還是從中匯入模型?" + +#: /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 "Center camera when item is selected" -msgstr "當專案被選中時,自動置中視角" +msgid "Open as project" +msgstr "作為專案開啟" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:383 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "需要讓 Cura 的預設縮放操作反轉嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:388 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "反轉視角縮放方向。" +msgid "Import models" +msgstr "匯入模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "是否跟隨滑鼠方向進行縮放?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:15 +msgctxt "@title:window" +msgid "Discard or Keep changes" +msgstr "捨棄或保留更改" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:404 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "正交透視不支援游標縮放功能。" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:57 +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 "" +"你修改了一些參數設定。\n" +"你要在切換參數後保留這些更動嗎?\n" +"或者你也可以忽略這些更動,從 '%1' 載入預設值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:409 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:111 +msgctxt "@title:column" +msgid "Profile settings" +msgstr "列印參數設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:125 +msgctxt "@title:column" +msgid "Current changes" +msgstr "目前更動" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:158 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:733 +msgctxt "@option:discardOrKeep" +msgid "Always ask me this" +msgstr "總是詢問" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:159 +msgctxt "@option:discardOrKeep" +msgid "Discard and never ask again" +msgstr "捨棄更改,並不再詢問此問題" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +msgctxt "@option:discardOrKeep" +msgid "Keep and never ask again" +msgstr "保留更改,並不再詢問此問題" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:197 msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "跟隨滑鼠方向縮放" +msgid "Discard changes" +msgstr "忽略更動" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:435 -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/Dialogs/DiscardOrKeepProfileChangesDialog.qml:210 +msgctxt "@action:button" +msgid "Keep changes" +msgstr "保留更動" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:440 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "確保每個模型都保持分離" +#: /home/trin/Gedeeld/Projects/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 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 "我們已經在你所選擇的檔案中找到一個或多個專案檔案,但一次只能開啟一個專案檔案。我們建議只從那些檔案中匯入模型而不開啟專案。你要繼續操作嗎?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:449 -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/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +msgctxt "@action:button" +msgid "Import all as models" +msgstr "匯入所有模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "自動下降模型到列印平台" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:15 +msgctxt "@title:window" +msgid "Save Project" +msgstr "儲存專案" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:466 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "在 g-code 讀取器中顯示警告訊息。" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:173 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "擠出機 %1" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:475 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-code 讀取器中的警告訊息" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:189 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & 線材" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:483 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "分層檢視要強制進入相容模式嗎?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:191 +msgctxt "@action:label" +msgid "Material" +msgstr "線材" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:488 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "強制分層檢視相容模式(需要重新啟動)" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:281 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "儲存時不再顯示專案摘要" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:498 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Cura 應該開啟在前次關閉時的位置嗎?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:300 +msgctxt "@action:button" +msgid "Save" +msgstr "儲存" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:503 -msgctxt "@option:check" -msgid "Restore window position on start" -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 列印所選模型" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:513 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "使用哪種類型的攝影機渲染?" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "無標題" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:520 -msgctxt "@window:text" -msgid "Camera rendering:" -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)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:531 +#: /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:51 +#: /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:56 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "擴充功能(&X)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "偏好設定(&R)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "幫助(&H)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 +msgctxt "@title:window" +msgid "New project" +msgstr "新建專案" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 +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:57 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "從印表機載入可用的設定..." + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:58 +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:112 +msgctxt "@label" +msgid "Select configuration" +msgstr "選擇設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:223 +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 "透視" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:532 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 +msgctxt "@action:inmenu menubar:view" msgid "Orthographic" msgstr "正交" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:563 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "開啟並儲存檔案" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "列印平台(&B)" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:570 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "從桌面或外部程式開啟檔案時,使用同一 Cura 視窗嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:575 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "使用同一 Cura 視窗" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:585 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "當模型的尺寸過大時,是否將模型自動縮小至列印範圍嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:590 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "縮小過大模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:600 -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 "部份模型採用較大的單位(例如:公尺),導致模型變得非常小,要將這些模型放大嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:605 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "放大過小模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:615 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "模型載入後要設為被選擇的狀態嗎?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:620 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "模型載入後選擇模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:630 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "是否自動將印表機名稱作為列印作業名稱的前綴?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:635 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "將印表機名稱前綴添加到列印作業名稱中" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:645 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "儲存專案檔案時是否顯示摘要?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:649 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "儲存專案時顯示摘要對話框" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:659 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "開啟專案檔案時的預設行為" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:667 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "開啟專案檔案時的預設行為: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:681 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "每次都向我確認" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:682 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "總是作為一個專案開啟" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:683 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "總是匯入模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:719 -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 "當你對列印參數進行更改然後切換到其他列印參數時,將顯示一個對話框詢問你是否要保留修改。你也可以選擇預設不顯示該對話框。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:733 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "當切換到另一組列印參數時,對於被修改過的設定的預設行為: " - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:748 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "總是放棄修改過的設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:749 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "總是將修改過的設定轉移至新的列印參數" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:783 -msgctxt "@label" -msgid "Privacy" -msgstr "隱私權" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:790 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "當 Cura 啟動時,是否自動檢查更新?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:795 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "啟動時檢查更新" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:805 -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 位址或其他私人資料。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:810 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(匿名)發送列印資訊" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Preferences/GeneralPage.qml:819 -msgctxt "@action:button" -msgid "More information" -msgstr "更多資訊" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "檢示類型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:119 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 msgctxt "@label:MonitorStatus" msgid "Not connected to a printer" msgstr "未連接至印表機" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:123 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 msgctxt "@label:MonitorStatus" msgid "Printer does not accept commands" msgstr "印表機不接受命令" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:133 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 msgctxt "@label:MonitorStatus" msgid "In maintenance. Please check the printer" msgstr "維護中。請檢查印表機" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:144 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 msgctxt "@label:MonitorStatus" msgid "Lost connection with the printer" msgstr "與印表機的連線中斷" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:146 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 msgctxt "@label:MonitorStatus" msgid "Printing..." msgstr "列印中..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:149 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 msgctxt "@label:MonitorStatus" msgid "Paused" msgstr "已暫停" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:152 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 msgctxt "@label:MonitorStatus" msgid "Preparing..." msgstr "準備中..." -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:154 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 msgctxt "@label:MonitorStatus" msgid "Please remove the print" msgstr "請取出列印件" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:326 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 msgctxt "@label" msgid "Abort Print" msgstr "中斷列印" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MonitorButton.qml:338 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 msgctxt "@label" msgid "Are you sure you want to abort the print?" msgstr "你確定要中斷列印嗎?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:68 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:114 +msgctxt "@label" +msgid "Is printed as support." +msgstr "做為支撐而列印。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:117 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "與此模型重疊的其他模型已被更改。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:120 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "與此模型重疊的填充已被更改。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:123 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "與此模型的重疊沒有支撐。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:130 +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:137 +msgctxt "@label" +msgid "Interface" +msgstr "介面" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:209 +msgctxt "@label" +msgid "Currency:" +msgstr "貨幣:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:222 +msgctxt "@label" +msgid "Theme:" +msgstr "主題:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:267 +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:284 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "當設定變更時自動進行切片。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:292 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "自動切片" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:306 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "顯示區設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:314 +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:323 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "顯示突出部分" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:333 +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:342 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "顯示模型錯誤" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:350 +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:355 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "當專案被選中時,自動置中視角" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:365 +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:370 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "反轉視角縮放方向。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "是否跟隨滑鼠方向進行縮放?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:386 +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:391 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "跟隨滑鼠方向縮放" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:417 +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:422 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "確保每個模型都保持分離" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:431 +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:436 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "自動下降模型到列印平台" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:448 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "在 g-code 讀取器中顯示警告訊息。" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:457 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "G-code 讀取器中的警告訊息" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:465 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "分層檢視要強制進入相容模式嗎?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:470 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "強制分層檢視相容模式(需要重新啟動)" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:480 +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:485 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "開啟時復原視窗位置" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:495 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "使用哪種類型的攝影機渲染?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:502 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "攝影機渲染:" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:509 +msgid "Perspective" +msgstr "透視" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:510 +msgid "Orthographic" +msgstr "正交" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:548 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "開啟並儲存檔案" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:555 +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:560 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "使用同一 Cura 視窗" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:570 +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:575 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "縮小過大模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:585 +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:590 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "放大過小模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:600 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "模型載入後要設為被選擇的狀態嗎?" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:605 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "模型載入後選擇模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:615 +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:620 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "將印表機名稱前綴添加到列印作業名稱中" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:630 +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:634 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "儲存專案時顯示摘要對話框" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:644 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "開啟專案檔案時的預設行為" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "開啟專案檔案時的預設行為: " + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "每次都向我確認" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:667 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "總是作為一個專案開啟" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:668 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "總是匯入模型" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:705 +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:714 +#: /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:719 +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:734 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "總是放棄修改過的設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:735 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "總是將修改過的設定轉移至新的列印參數" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:770 +msgctxt "@label" +msgid "Privacy" +msgstr "隱私權" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:777 +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:782 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "啟動時檢查更新" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:792 +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:797 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(匿名)發送列印資訊" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:806 +msgctxt "@action:button" +msgid "More information" +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:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "印表機" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +#: /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:315 +#: /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:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "匯入線材設定" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "匯出線材設定" + +#: /home/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/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/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:388 +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 "Search settings" -msgstr "搜尋設定" +msgid "Check all" +msgstr "全選" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:456 -msgctxt "@action:menu" -msgid "Copy value to all extruders" -msgstr "將設定值複製到所有擠出機" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "擠出機" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:465 -msgctxt "@action:menu" -msgid "Copy all changed values to all extruders" -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,則關閉加熱頭的加熱。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:502 -msgctxt "@action:menu" -msgid "Hide this setting" -msgstr "隱藏此設定" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "此加熱頭的目前溫度。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:515 -msgctxt "@action:menu" -msgid "Don't show this setting" -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 "加熱頭預熱溫度。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingView.qml:519 -msgctxt "@action:menu" -msgid "Keep this setting visible" -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 "取消" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingCategory.qml:200 +#: /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:238 +msgctxt "@button" +msgid "Add printer" +msgstr "新增印表機" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 +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 +msgctxt "@label" +msgid "Active print" +msgstr "正在列印" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +msgctxt "@label" +msgid "Job Name" +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 +msgctxt "@label" +msgid "Profile" +msgstr "參數" + +#: /home/trin/Gedeeld/Projects/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" +"\n" +"Click to open the profile manager." +msgstr "" +"部份設定/覆寫值與儲存在列印參數中的值不同。\n" +"\n" +"點擊開啟列印參數管理器。" + +#: /home/trin/Gedeeld/Projects/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 +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:33 +msgctxt "@label" +msgid "Experimental" +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:74 +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:193 +msgctxt "@label" +msgid "Gradual infill" +msgstr "漸近式填充" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:232 +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:81 +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 +msgctxt "@label" +msgid "Support" +msgstr "支撐" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:71 +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:200 msgctxt "@label" msgid "" "Some hidden settings use values different from their normal calculated value.\n" @@ -4893,32 +5131,32 @@ msgstr "" "\n" "點擊以顯這些設定。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/trin/Gedeeld/Projects/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 "此設定未被使用,因為受它影響的設定都被覆寫了。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "影響" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "影響因素" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:187 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:187 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "這個設定是所有擠出機共用的。修改它會同時更動到所有擠出機的值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:191 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:191 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "此設定是透過解決擠出機設定值衝突獲得:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:230 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:230 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -4929,7 +5167,7 @@ msgstr "" "\n" "單擊以復原列印參數的值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Settings/SettingItem.qml:329 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:329 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -4940,712 +5178,306 @@ msgstr "" "\n" "點擊以恢復計算得出的數值。" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:27 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:68 +msgctxt "@label:textbox" +msgid "Search settings" +msgstr "搜尋設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:468 +msgctxt "@action:menu" +msgid "Copy value to all extruders" +msgstr "將設定值複製到所有擠出機" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:477 +msgctxt "@action:menu" +msgid "Copy all changed values to all extruders" +msgstr "複製所有改變的設定值到所有擠出機" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:514 +msgctxt "@action:menu" +msgid "Hide this setting" +msgstr "隱藏此設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:527 +msgctxt "@action:menu" +msgid "Don't show this setting" +msgstr "不再顯示此設定" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:531 +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 "立體圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:40 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" msgid "Front View" msgstr "前視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:53 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 msgctxt "@info:tooltip" msgid "Top View" msgstr "上視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:66 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 msgctxt "@info:tooltip" msgid "Left View" msgstr "左視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ViewOrientationControls.qml:79 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 msgctxt "@info:tooltip" msgid "Right View" msgstr "右視圖" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 msgctxt "@label" -msgid "Extruder" -msgstr "擠出機" +msgid "View type" +msgstr "檢示類型" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "新增雲端印表機" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "此加熱頭的目前溫度。" +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "等待雲端服務回應" -#: /mnt/projects/ultimaker/cura/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/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "在你的帳號未發現任何印表機?" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -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:" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 msgctxt "@button" -msgid "Pre-heat" -msgstr "預熱" +msgid "Add printer manually" +msgstr "手動新增印表機" -#: /mnt/projects/ultimaker/cura/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 "列印前預先加熱。你可以在加熱時繼續調整你的列印,當你準備好列印時就不需等待加熱頭升溫。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "該擠出機中線材的顏色。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "該擠出機中的線材。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "該擠出機所使用的噴頭。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:230 msgctxt "@label" -msgid "Build plate" -msgstr "列印平台" +msgid "Manufacturer" +msgstr "製造商" -#: /mnt/projects/ultimaker/cura/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,則不使用熱床。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "熱床目前溫度。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "熱床的預熱溫度。" - -#: /mnt/projects/ultimaker/cura/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 "列印前請預熱熱床。你可以在熱床加熱時繼續調整相關物件,讓你在準備列印時不必等待熱床加熱完畢。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:247 msgctxt "@label" -msgid "Printer control" -msgstr "印表機控制" +msgid "Profile author" +msgstr "列印參數作者" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:265 msgctxt "@label" -msgid "Jog Position" -msgstr "輕搖位置" +msgid "Printer name" +msgstr "印表機名稱" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:274 +msgctxt "@text" +msgid "Please name your printer" +msgstr "請為你的印表機取一個名稱" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "輕搖距離" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "傳送 G-code" - -#: /mnt/projects/ultimaker/cura/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 鍵傳送命令。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "尚未連線到印表機。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:114 -msgctxt "@label" -msgid "Is printed as support." -msgstr "做為支撐而列印。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:117 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "與此模型重疊的其他模型已被更改。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:120 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "與此模型重疊的填充已被更改。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:123 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "與此模型的重疊沒有支撐。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ObjectItemButton.qml:130 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "覆寫 %1 設定。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "市集" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "編輯(&E)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:56 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "擴充功能(&X)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:94 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "偏好設定(&R)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:102 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "幫助(&H)" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:148 -msgctxt "@title:window" -msgid "New project" -msgstr "新建專案" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/MainWindow/ApplicationMenu.qml:149 -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 "你確定要開始一個新專案嗎?這將清除列印平台及任何未儲存的設定。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:257 -msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "此套件將在重新啟動後安裝。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:453 -msgctxt "@title:tab" -msgid "Settings" -msgstr "設定" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:576 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "關閉 %1 中" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:577 /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:589 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "是否確定要離開 %1 ?" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:737 -msgctxt "@window:title" -msgid "Install Package" -msgstr "安裝套件" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:745 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "開啟檔案" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:748 -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 檔案,請僅選擇一個。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:857 -msgctxt "@title:window" -msgid "Add Printer" +msgid "Add a printer" msgstr "新增印表機" -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/Cura.qml:865 -msgctxt "@title:window" +#: /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:240 +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:217 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "創建免費的Ultimaker帳戶" + +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:230 +msgctxt "@button" +msgid "Skip" +msgstr "略過" + +#: /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:28 +msgctxt "@label" msgid "What's New" msgstr "新功能" -#: /mnt/projects/ultimaker/cura/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 "雲端印表機為離線狀態。請檢查印表機是否已開機並連上網路。" - -#: /mnt/projects/ultimaker/cura/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 建立連接。" - -#: /mnt/projects/ultimaker/cura/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 "雲端服務目前無法使用。請登入以連接到雲端印表機。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "雲端服務目前無法使用。請檢查你的網路連線。" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:238 -msgctxt "@button" -msgid "Add printer" -msgstr "新增印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelector.qml:255 -msgctxt "@button" -msgid "Manage printers" -msgstr "管理印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:24 msgctxt "@label" -msgid "Connected printers" -msgstr "已連線印表機" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "預設印表機" - -#: /mnt/projects/ultimaker/cura/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 列印所選模型" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "時間估計" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "線材估計" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 -msgctxt "@label:PrintjobStatus" -msgid "Slicing..." -msgstr "正在切片..." - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:67 -msgctxt "@label:PrintjobStatus" -msgid "Unable to slice" -msgstr "無法切片" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Processing" -msgstr "處理中" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:103 -msgctxt "@button" -msgid "Slice" -msgstr "切片" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:104 -msgctxt "@label" -msgid "Start the slicing process" -msgstr "開始切片程序" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:118 -msgctxt "@button" -msgid "Cancel" -msgstr "取消" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "沒有時間估計" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "沒有成本估算" - -#: /mnt/projects/ultimaker/cura/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "預覽" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "提供行動裝置熱插拔和寫入檔案的支援。" - -#: RemovableDriveOutputDevice/plugin.json -msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "行動裝置輸出設備外掛" - -#: 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" - -#: 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/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/VersionUpgrade42to43/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." -msgstr "將設定從 Cura 4.2 版本升級至 4.3 版本。" - -#: VersionUpgrade/VersionUpgrade42to43/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.2 to 4.3" -msgstr "升級版本 4.2 到 4.3" - -#: 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/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/VersionUpgrade26to27/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "將設定從 Cura 2.6 版本升級至 2.7 版本。" - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "升級版本 2.6 到 2.7" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." -msgstr "將設定從 Cura 2.5 版本升級至 2.6 版本。" - -#: VersionUpgrade/VersionUpgrade25to26/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.5 to 2.6" -msgstr "升級版本 2.5 到 2.6" - -#: 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/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "將設定從 Cura 2.1 版本升級至 2.2 版本。" - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "升級版本 2.1 到 2.2" - -#: 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/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/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/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/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/VersionUpgrade43to44/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." -msgstr "將設定從 Cura 4.3 版本升級至 4.4 版本。" - -#: VersionUpgrade/VersionUpgrade43to44/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.3 to 4.4" -msgstr "升級版本 4.3 到 4.4" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." -msgstr "將設定從 Cura 3.4 版本升級至 3.5 版本。" - -#: VersionUpgrade/VersionUpgrade34to35/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.4 to 3.5" -msgstr "升級版本 3.4 到 3.5" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "將設定從 Cura 2.7 版本升級至 3.0 版本。" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "升級版本 2.7 到 3.0" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "提供對讀取 AMF 格式檔案的支援。" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF 讀取器" - -#: 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 列印參數讀取器" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "提供升級韌體用的機器操作。" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "韌體更新器" - -#: X3DReader/plugin.json -msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "提供讀取 X3D 檔案的支援。" - -#: X3DReader/plugin.json -msgctxt "name" -msgid "X3D Reader" -msgstr "X3D 讀取器" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "查詢,管理和安裝新的 Cura 套件。" - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -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 "後處理" - -#: 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 引擎後台" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "接受 G-Code 並且傳送到印表機。此外掛也可以更新韌體。" - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB 連線列印" - -#: 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 列印參數寫入器" - -#: 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 網絡連線" - -#: 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 印表機操作" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "提供讀取 3MF 格式檔案的支援。" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF 讀取器" - -#: 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 寫入器" - -#: 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 讀取器" +msgid "No items to select from" +msgstr "沒有可選取的專案" #: ModelChecker/plugin.json msgctxt "description" @@ -5657,105 +5489,15 @@ msgctxt "name" msgid "Model Checker" msgstr "模器檢查器" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Checks for firmware updates." -msgstr "檢查是否有韌體更新。" +msgid "Provides support for reading 3MF files." +msgstr "提供讀取 3MF 格式檔案的支援。" -#: FirmwareUpdateChecker/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Firmware Update Checker" -msgstr "韌體更新檢查" - -#: 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 讀取器" - -#: 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 "支援抹除器" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "提供讀取模型檔案的支援。" - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh 讀取器" - -#: 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 "哨兵記錄器" - -#: 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 讀取器" - -#: 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 列印參數讀取器" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "在 cura 提供一個準備介面。" - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "準備介面" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "在 cura 提供一個監控介面。" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "監控介面" - -#: XRayView/plugin.json -msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "提供透視檢視。" - -#: XRayView/plugin.json -msgctxt "name" -msgid "X-Ray View" -msgstr "透視檢視" +msgid "3MF Reader" +msgstr "3MF 讀取器" #: 3MFWriter/plugin.json msgctxt "description" @@ -5767,65 +5509,35 @@ msgctxt "name" msgid "3MF Writer" msgstr "3MF 寫入器" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "提交匿名切片資訊。這項功能可以在偏好設定中關閉。" +msgid "Provides support for reading AMF files." +msgstr "提供對讀取 AMF 格式檔案的支援。" -#: SliceInfoPlugin/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "切片資訊" +msgid "AMF Reader" +msgstr "AMF 讀取器" -#: 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 備份" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "description" -msgid "Provides the Simulation view." -msgstr "提供模擬檢視。" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "提供連結到 Cura 切片引擎後台。" -#: SimulationView/plugin.json +#: CuraEngineBackend/plugin.json msgctxt "name" -msgid "Simulation View" -msgstr "模擬檢視" - -#: 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 "印表機設定操作" - -#: 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 "線材參數" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "提供一個基本的實體網格檢視。" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "實體檢視" +msgid "CuraEngine Backend" +msgstr "Cura 引擎後台" #: CuraProfileReader/plugin.json msgctxt "description" @@ -5837,15 +5549,85 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "Cura 列印參數讀取器" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "提供寫入 Ultimaker 格式封包的支援。" +msgid "Provides support for exporting Cura profiles." +msgstr "提供匯出 Cura 列印參數的支援。" -#: UFPWriter/plugin.json +#: CuraProfileWriter/plugin.json msgctxt "name" -msgid "UFP Writer" -msgstr "UFP 寫入器" +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 "" + +#: DigitalLibrary/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 "從一個壓縮檔案中讀取 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" @@ -5867,15 +5649,445 @@ msgctxt "name" msgid "Image Reader" msgstr "圖片讀取器" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "備份和復原你的設定。" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "提供匯入 Cura 舊版本列印參數的支援。" -#: CuraDrive/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Cura Backups" -msgstr "Cura 備份" +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." +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 "在 cura 提供一個準備介面。" + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "準備介面" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "在 Cura 提供一個預覽介面。" + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "預覽介面" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "提供行動裝置熱插拔和寫入檔案的支援。" + +#: RemovableDriveOutputDevice/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 "實體檢視" + +#: 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 "查詢,管理和安裝新的 Cura 套件。" + +#: 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 "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 讀取器" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "提供寫入 Ultimaker 格式封包的支援。" + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "UFP 寫入器" + +#: 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 印表機操作" + +#: 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 網絡連線" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "接受 G-Code 並且傳送到印表機。此外掛也可以更新韌體。" + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB 連線列印" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "將設定從 Cura 2.1 版本升級至 2.2 版本。" + +#: VersionUpgrade/VersionUpgrade21to22/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "升級版本 2.1 到 2.2" + +#: 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/VersionUpgrade25to26/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." +msgstr "將設定從 Cura 2.5 版本升級至 2.6 版本。" + +#: VersionUpgrade/VersionUpgrade25to26/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.5 to 2.6" +msgstr "升級版本 2.5 到 2.6" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "將設定從 Cura 2.6 版本升級至 2.7 版本。" + +#: VersionUpgrade/VersionUpgrade26to27/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "升級版本 2.6 到 2.7" + +#: VersionUpgrade/VersionUpgrade27to30/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "將設定從 Cura 2.7 版本升級至 3.0 版本。" + +#: VersionUpgrade/VersionUpgrade27to30/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" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.4 to Cura 3.5." +msgstr "將設定從 Cura 3.4 版本升級至 3.5 版本。" + +#: VersionUpgrade/VersionUpgrade34to35/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.4 to 3.5" +msgstr "升級版本 3.4 到 3.5" + +#: 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" + +#: 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/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/VersionUpgrade42to43/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.2 to Cura 4.3." +msgstr "將設定從 Cura 4.2 版本升級至 4.3 版本。" + +#: VersionUpgrade/VersionUpgrade42to43/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.2 to 4.3" +msgstr "升級版本 4.2 到 4.3" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.3 to Cura 4.4." +msgstr "將設定從 Cura 4.3 版本升級至 4.4 版本。" + +#: VersionUpgrade/VersionUpgrade43to44/plugin.json +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 "" + +#: 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." +msgstr "" + +#: VersionUpgrade/VersionUpgrade49to410/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.9 to 4.10" +msgstr "" + +#: X3DReader/plugin.json +msgctxt "description" +msgid "Provides support for reading X3D files." +msgstr "提供讀取 X3D 檔案的支援。" + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D 讀取器" + +#: 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 "線材參數" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "提供透視檢視。" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "透視檢視" #~ msgctxt "@info:status" #~ msgid "Global stack is missing." diff --git a/resources/i18n/zh_TW/fdmextruder.def.json.po b/resources/i18n/zh_TW/fdmextruder.def.json.po index 2c249ff086..15eaf9e315 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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 5d6e55d18d..3a39ae67ae 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.9\n" +"Project-Id-Version: Cura 4.10\n" "Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n" -"POT-Creation-Date: 2021-04-02 16:09+0000\n" +"POT-Creation-Date: 2021-06-10 17:35+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" @@ -3201,8 +3201,8 @@ msgstr "不回抽的最大梳理距離" #: fdmprinter.def.json msgctxt "retraction_combing_max_distance description" -msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." -msgstr "當此值不為 0 時,在梳理模式空跑超過此距離時,會啟用回抽。" +msgid "When greater than zero, combing travel moves that are longer than this distance will use retraction. If set to zero, there is no maximum and combing moves will not use retraction." +msgstr "" #: fdmprinter.def.json msgctxt "travel_retract_before_outer_wall label" @@ -6402,6 +6402,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "在將模型從檔案中載入時套用在模型上的轉換矩陣。" +#~ msgctxt "retraction_combing_max_distance description" +#~ msgid "When non-zero, combing travel moves that are longer than this distance will use retraction." +#~ msgstr "當此值不為 0 時,在梳理模式空跑超過此距離時,會啟用回抽。" + #~ msgctxt "machine_use_extruder_offset_to_offset_coords description" #~ msgid "Apply the extruder offset to the coordinate system." #~ msgstr "將擠出機偏移量套用到座標軸系統。" diff --git a/resources/images/whats_new/0.jpg b/resources/images/whats_new/0.jpg new file mode 100644 index 0000000000..b8317fec3e Binary files /dev/null and b/resources/images/whats_new/0.jpg differ diff --git a/resources/images/whats_new/0.png b/resources/images/whats_new/0.png deleted file mode 100644 index 873ae03e0a..0000000000 Binary files a/resources/images/whats_new/0.png and /dev/null differ diff --git a/resources/images/whats_new/1.png b/resources/images/whats_new/1.png index 7b3f7ec7ca..873ae03e0a 100644 Binary files a/resources/images/whats_new/1.png and b/resources/images/whats_new/1.png differ diff --git a/resources/images/whats_new/2.png b/resources/images/whats_new/2.png index ccf694b67a..7b3f7ec7ca 100644 Binary files a/resources/images/whats_new/2.png and b/resources/images/whats_new/2.png differ diff --git a/resources/images/whats_new/3.png b/resources/images/whats_new/3.png new file mode 100644 index 0000000000..ccf694b67a Binary files /dev/null and b/resources/images/whats_new/3.png differ diff --git a/resources/images/whats_new/3.gif b/resources/images/whats_new/4.gif similarity index 100% rename from resources/images/whats_new/3.gif rename to resources/images/whats_new/4.gif 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 new file mode 100644 index 0000000000..174905d80d --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_B.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D010 +intent_category = engineering +material = generic_abs +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..6c21101a3d --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_C.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D015 +intent_category = engineering +material = generic_abs +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..1c42d4cf69 --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_D.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = engineering +material = generic_abs +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..d6d2535bac --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_D.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = quick +material = generic_abs +variant = DBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..969bef06ba --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_E.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D030 +intent_category = quick +material = generic_abs +variant = DBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..a71b02e70f --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_B.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D010 +intent_category = engineering +material = generic_abs +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..46f7628c59 --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_C.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D015 +intent_category = engineering +material = generic_abs +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..60133b3ab4 --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_D.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = engineering +material = generic_abs +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..8e6916f4ae --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_D.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = quick +material = generic_abs +variant = FBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..a39c876f96 --- /dev/null +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_E.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D030 +intent_category = quick +material = generic_abs +variant = FBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..9aeed6407f --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_B.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D010 +intent_category = engineering +material = generic_petg +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..a8923e56ac --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_C.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D015 +intent_category = engineering +material = generic_petg +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..ff1f295e3f --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_D.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = engineering +material = generic_petg +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..b3a25a258d --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_C.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = quick +material = generic_petg +variant = DBE 0.40mm + +[values] +speed_print = 75 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..b3a25a258d --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_D.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = quick +material = generic_petg +variant = DBE 0.40mm + +[values] +speed_print = 75 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..db3607801e --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_E.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D030 +intent_category = quick +material = generic_petg +variant = DBE 0.40mm + +[values] +speed_print = 75 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..e80bcc8352 --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_B.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D010 +intent_category = engineering +material = generic_petg +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..5dd350f125 --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_C.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D015 +intent_category = engineering +material = generic_petg +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..c84cd6cbeb --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_D.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = engineering +material = generic_petg +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..0529516e35 --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_C.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D015 +intent_category = quick +material = generic_petg +variant = FBE 0.40mm + +[values] +speed_print = 75 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..6e6bd391d5 --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_D.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = quick +material = generic_petg +variant = FBE 0.40mm + +[values] +speed_print = 75 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..51e511e2e1 --- /dev/null +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_E.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D030 +intent_category = quick +material = generic_petg +variant = FBE 0.40mm + +[values] +speed_print = 75 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..8b2f4f1c0c --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_B.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D010 +intent_category = engineering +material = generic_pla +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..a399ebbb3a --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_C.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D015 +intent_category = engineering +material = generic_pla +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..48735864f1 --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_D.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = engineering +material = generic_pla +variant = DBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..ee5cbfaaf2 --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_D.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = quick +material = generic_pla +variant = DBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..f212c4180a --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_E.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D030 +intent_category = quick +material = generic_pla +variant = DBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..10dd614c10 --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_B.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D010 +intent_category = engineering +material = generic_pla +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..a0c2bc3b2a --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_C.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D015 +intent_category = engineering +material = generic_pla +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..9bd67746ad --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_D.inst.cfg @@ -0,0 +1,21 @@ +[general] +version = 4 +name = Accurate +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = engineering +material = generic_pla +variant = FBE 0.40mm + +[values] +jerk_wall = 5 +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +wall_thickness = =line_width * 3 +top_bottom_thickness = =wall_thickness +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset \ No newline at end of file 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 new file mode 100644 index 0000000000..a7060948ed --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_D.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D020 +intent_category = quick +material = generic_pla +variant = FBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..f7bd2425fb --- /dev/null +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_E.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Quick +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = intent +quality_type = D030 +intent_category = quick +material = generic_pla +variant = FBE 0.40mm + +[values] +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_thickness = =line_width * 2 +fill_perimeter_gaps = nowhere +infill_sparse_density = 15 +infill_line_width = =line_width +jerk_print = 30 +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +line_width = =machine_nozzle_size +wall_line_width_x = =line_width \ No newline at end of file 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 new file mode 100644 index 0000000000..61fcc260d6 --- /dev/null +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print_Accurate.inst.cfg @@ -0,0 +1,35 @@ +[general] +version = 4 +name = Accurate +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = intent +intent_category = engineering +quality_type = fast +material = generic_petg +variant = AA 0.4 + +[values] +infill_line_width = =line_width +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 +line_width = =machine_nozzle_size +speed_print = 30 +speed_infill = =speed_print +speed_layer_0 = 20 +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_line_width_x = =line_width +wall_thickness = =line_width * 3 +xy_offset = =-layer_height * 0.2 + 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 new file mode 100644 index 0000000000..61494f64c9 --- /dev/null +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg @@ -0,0 +1,35 @@ +[general] +version = 4 +name = Accurate +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = intent +intent_category = engineering +quality_type = normal +material = generic_petg +variant = AA 0.4 + +[values] +infill_line_width = =line_width +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 +line_width = =machine_nozzle_size +speed_print = 30 +speed_infill = =speed_print +speed_layer_0 = 20 +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_line_width_x = =line_width +wall_thickness = =line_width * 3 +xy_offset = =-layer_height * 0.2 + 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 new file mode 100644 index 0000000000..a08849d786 --- /dev/null +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print_Accurate.inst.cfg @@ -0,0 +1,36 @@ +[general] +version = 4 +name = Accurate +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = intent +intent_category = engineering +quality_type = fast +material = generic_petg +variant = AA 0.4 + +[values] +infill_line_width = =line_width +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 +line_width = =machine_nozzle_size +speed_print = 30 +speed_infill = =speed_print +speed_layer_0 = 20 +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_line_width_x = =line_width +wall_thickness = =line_width * 3 +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset + 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 new file mode 100644 index 0000000000..ddf44a45e8 --- /dev/null +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg @@ -0,0 +1,36 @@ +[general] +version = 4 +name = Accurate +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = intent +intent_category = engineering +quality_type = normal +material = generic_petg +variant = AA 0.4 + +[values] +infill_line_width = =line_width +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 +line_width = =machine_nozzle_size +speed_print = 30 +speed_infill = =speed_print +speed_layer_0 = 20 +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +top_bottom_thickness = =wall_thickness +wall_line_width_x = =line_width +wall_thickness = =line_width * 3 +xy_offset = =-layer_height * 0.2 +xy_offset_layer_0 = =((-0.2 + layer_height * 0.2) if adhesion_type == "skirt" or adhesion_type == "none" else 0) + xy_offset + diff --git a/resources/meshes/STREAM20PRO_platform.STL b/resources/meshes/STREAM20PRO_platform.STL new file mode 100644 index 0000000000..c9cdf046e1 Binary files /dev/null and b/resources/meshes/STREAM20PRO_platform.STL differ diff --git a/resources/meshes/STREAM30PRO_platform.STL b/resources/meshes/STREAM30PRO_platform.STL new file mode 100644 index 0000000000..f525305e08 Binary files /dev/null and b/resources/meshes/STREAM30PRO_platform.STL differ diff --git a/resources/meshes/STREAM30ULTRA_platform.STL b/resources/meshes/STREAM30ULTRA_platform.STL new file mode 100644 index 0000000000..57d41a0b81 Binary files /dev/null and b/resources/meshes/STREAM30ULTRA_platform.STL differ diff --git a/resources/meshes/anycubic_i3_mega_s_platform.3mf b/resources/meshes/anycubic_i3_mega_s_platform.3mf new file mode 100644 index 0000000000..b3dca3a75a Binary files /dev/null and b/resources/meshes/anycubic_i3_mega_s_platform.3mf differ diff --git a/resources/meshes/anycubic_i3_mega_x_platform.stl b/resources/meshes/anycubic_i3_mega_x_platform.stl new file mode 100644 index 0000000000..261e03160b Binary files /dev/null and b/resources/meshes/anycubic_i3_mega_x_platform.stl differ diff --git a/resources/meshes/longer_235mm_platform.stl b/resources/meshes/longer_235mm_platform.stl new file mode 100644 index 0000000000..1066268133 Binary files /dev/null and b/resources/meshes/longer_235mm_platform.stl differ diff --git a/resources/meshes/longer_310mm_platform.stl b/resources/meshes/longer_310mm_platform.stl new file mode 100644 index 0000000000..6090b86b3f Binary files /dev/null and b/resources/meshes/longer_310mm_platform.stl differ diff --git a/resources/meshes/longer_415mm_platform.stl b/resources/meshes/longer_415mm_platform.stl new file mode 100644 index 0000000000..c925e994b3 Binary files /dev/null and b/resources/meshes/longer_415mm_platform.stl differ diff --git a/resources/meshes/longer_cube2_platform.stl b/resources/meshes/longer_cube2_platform.stl new file mode 100644 index 0000000000..d9385aa340 Binary files /dev/null and b/resources/meshes/longer_cube2_platform.stl differ diff --git a/resources/meshes/sapphireplus_platform.stl b/resources/meshes/sapphireplus_platform.stl new file mode 100644 index 0000000000..7b36da2d89 Binary files /dev/null and b/resources/meshes/sapphireplus_platform.stl differ diff --git a/resources/meshes/sapphirepro_platform.stl b/resources/meshes/sapphirepro_platform.stl new file mode 100644 index 0000000000..34e796c4ee Binary files /dev/null and b/resources/meshes/sapphirepro_platform.stl differ diff --git a/resources/meshes/twotrees235x235_generic.stl b/resources/meshes/twotrees235x235_generic.stl new file mode 100644 index 0000000000..f28d89e7a3 Binary files /dev/null and b/resources/meshes/twotrees235x235_generic.stl differ diff --git a/resources/meshes/twotrees300x300_generic.stl b/resources/meshes/twotrees300x300_generic.stl new file mode 100644 index 0000000000..566d3b84bb Binary files /dev/null and b/resources/meshes/twotrees300x300_generic.stl differ diff --git a/resources/qml/Actions.qml b/resources/qml/Actions.qml index 46a876003e..7a4a837c66 100644 --- a/resources/qml/Actions.qml +++ b/resources/qml/Actions.qml @@ -21,6 +21,7 @@ Item property alias view3DCamera: view3DCameraAction; property alias viewFrontCamera: viewFrontCameraAction; property alias viewTopCamera: viewTopCameraAction; + property alias viewBottomCamera: viewBottomCameraAction; property alias viewLeftSideCamera: viewLeftSideCameraAction; property alias viewRightSideCamera: viewRightSideCameraAction; @@ -147,6 +148,13 @@ Item onTriggered: UM.Controller.setCameraRotation("y", 90) } + Action + { + id: viewBottomCameraAction + text: catalog.i18nc("@action:inmenu menubar:view", "Bottom View") + onTriggered: UM.Controller.setCameraRotation("y", -90) + } + Action { id: viewLeftSideCameraAction diff --git a/resources/qml/Cura.qml b/resources/qml/Cura.qml index abced93100..db910d1798 100644 --- a/resources/qml/Cura.qml +++ b/resources/qml/Cura.qml @@ -525,7 +525,7 @@ UM.MainWindow Connections { target: Cura.Actions.configureSettingVisibility - function onTriggered() + function onTriggered(source) { preferences.visible = true; preferences.setPage(1); diff --git a/resources/qml/Dialogs/WorkspaceSummaryDialog.qml b/resources/qml/Dialogs/WorkspaceSummaryDialog.qml index 32015b902a..9e0e972361 100644 --- a/resources/qml/Dialogs/WorkspaceSummaryDialog.qml +++ b/resources/qml/Dialogs/WorkspaceSummaryDialog.qml @@ -1,8 +1,9 @@ -// Copyright (c) 2018 Ultimaker B.V. +// Copyright (c) 2021 Ultimaker B.V. // Cura is released under the terms of the LGPLv3 or higher. import QtQuick 2.10 import QtQuick.Controls 1.4 +import QtQuick.Controls 2.0 as Controls2 import QtQuick.Layouts 1.3 import QtQuick.Window 2.2 @@ -281,7 +282,7 @@ UM.Dialog text: catalog.i18nc("@action:label", "Don't show project summary on save again") checked: dontShowAgain } - Button + Controls2.Button { id: cancel_button anchors @@ -293,7 +294,7 @@ UM.Dialog enabled: true onClicked: close() } - Button + Controls2.Button { id: ok_button anchors.right: parent.right diff --git a/resources/qml/Menus/SettingVisibilityPresetsMenu.qml b/resources/qml/Menus/SettingVisibilityPresetsMenu.qml index e2bb6b2a56..08d74a74ce 100644 --- a/resources/qml/Menus/SettingVisibilityPresetsMenu.qml +++ b/resources/qml/Menus/SettingVisibilityPresetsMenu.qml @@ -8,7 +8,7 @@ import QtQml.Models 2.14 as Models import UM 1.2 as UM import Cura 1.0 as Cura -Menu +Cura.Menu { ActionGroup { id: group } @@ -23,7 +23,7 @@ Menu { model: settingVisibilityPresetsModel.items - MenuItem + Cura.MenuItem { text: modelData.name checkable: true @@ -39,8 +39,8 @@ Menu onObjectRemoved: menu.removeItem(object) } - MenuSeparator {} - MenuItem + Cura.MenuSeparator {} + Cura.MenuItem { text: catalog.i18nc("@action:inmenu", "Collapse All Categories") onTriggered: @@ -48,8 +48,8 @@ Menu collapseAllCategories(); } } - MenuSeparator {} - MenuItem + Cura.MenuSeparator {} + Cura.MenuItem { text: catalog.i18nc("@action:inmenu", "Manage Setting Visibility...") icon.name: "configure" diff --git a/resources/qml/Menus/ViewMenu.qml b/resources/qml/Menus/ViewMenu.qml index 8865ebb07e..af1a4c3be4 100644 --- a/resources/qml/Menus/ViewMenu.qml +++ b/resources/qml/Menus/ViewMenu.qml @@ -20,6 +20,7 @@ Menu MenuItem { action: Cura.Actions.view3DCamera; } MenuItem { action: Cura.Actions.viewFrontCamera; } MenuItem { action: Cura.Actions.viewTopCamera; } + MenuItem { action: Cura.Actions.viewBottomCamera; } MenuItem { action: Cura.Actions.viewLeftSideCamera; } MenuItem { action: Cura.Actions.viewRightSideCamera; } } diff --git a/resources/qml/Preferences/Materials/MaterialsPage.qml b/resources/qml/Preferences/Materials/MaterialsPage.qml index 791d6685de..8d6dfdfb3a 100644 --- a/resources/qml/Preferences/Materials/MaterialsPage.qml +++ b/resources/qml/Preferences/Materials/MaterialsPage.qml @@ -1,5 +1,5 @@ -// Copyright (c) 2018 Ultimaker B.V. -// Uranium is released under the terms of the LGPLv3 or higher. +// Copyright (c) 2021 Ultimaker B.V. +// Cura is released under the terms of the LGPLv3 or higher. import QtQuick 2.7 import QtQuick.Controls 1.4 @@ -191,6 +191,20 @@ Item } enabled: base.hasCurrentItem } + + //Sync button. + Button + { + id: syncMaterialsButton + text: catalog.i18nc("@action:button Sending materials to printers", "Sync with Printers") + iconName: "sync-synchronizing" + onClicked: + { + forceActiveFocus(); + exportAllMaterialsDialog.open(); + } + visible: Cura.MachineManager.activeMachine.supportsMaterialExport + } } Item { @@ -368,6 +382,20 @@ Item } } + FileDialog + { + id: exportAllMaterialsDialog + title: catalog.i18nc("@title:window", "Export All Materials") + selectExisting: false + nameFilters: ["Material archives (*.umm)", "All files (*)"] + folder: base.materialManagementModel.preferredExportAllPath + onAccepted: + { + base.materialManagementModel.exportAll(fileUrl); + CuraApplication.setDefaultPath("dialog_material_path", folder); + } + } + MessageDialog { id: messageDialog diff --git a/resources/qml/Preferences/SettingVisibilityPage.qml b/resources/qml/Preferences/SettingVisibilityPage.qml index a1d5368e30..37149c0009 100644 --- a/resources/qml/Preferences/SettingVisibilityPage.qml +++ b/resources/qml/Preferences/SettingVisibilityPage.qml @@ -166,7 +166,7 @@ UM.PreferencesPage { id: loader - width: parent.width + width: settingsListView.width height: model.type != undefined ? UM.Theme.getSize("section").height : 0 property var definition: model diff --git a/resources/qml/PrinterOutput/ExtruderBox.qml b/resources/qml/PrinterOutput/ExtruderBox.qml index ddd0a87c9f..63927cd98d 100644 --- a/resources/qml/PrinterOutput/ExtruderBox.qml +++ b/resources/qml/PrinterOutput/ExtruderBox.qml @@ -173,7 +173,7 @@ Item { base.showTooltip( base, - {x: 0, y: preheatTemperatureInputMouseArea.mapToItem(base, 0, 0).y}, + {x: 0, y: preheatTemperatureInputMouseArea.mapToItem(base, 0, -parent.height/2).y}, catalog.i18nc("@tooltip of temperature input", "The temperature to pre-heat the hotend to.") ); } @@ -366,7 +366,7 @@ Item { base.showTooltip( base, - {x: 0, y: preheatButton.mapToItem(base, 0, 0).y}, + {x: 0, y: preheatButton.mapToItem(base, 0, -parent.height).y}, catalog.i18nc("@tooltip of pre-heat", "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.") ); } diff --git a/resources/qml/Settings/SettingTextField.qml b/resources/qml/Settings/SettingTextField.qml index 9fc3d0a554..a5647e2d3a 100644 --- a/resources/qml/Settings/SettingTextField.qml +++ b/resources/qml/Settings/SettingTextField.qml @@ -1,4 +1,4 @@ -// Copyright (c) 2017 Ultimaker B.V. +// Copyright (c) 2021 Ultimaker B.V. // Cura is released under the terms of the LGPLv3 or higher. import QtQuick 2.7 @@ -92,11 +92,18 @@ SettingItem Label { - anchors.right: parent.right - anchors.rightMargin: Math.round(UM.Theme.getSize("setting_unit_margin").width) - anchors.verticalCenter: parent.verticalCenter + anchors + { + left: parent.left + leftMargin: Math.round(UM.Theme.getSize("setting_unit_margin").width) + right: parent.right + rightMargin: Math.round(UM.Theme.getSize("setting_unit_margin").width) + verticalCenter: parent.verticalCenter + } text: definition.unit + //However the setting value is aligned, align the unit opposite. That way it stays readable with right-to-left languages. + horizontalAlignment: (input.effectiveHorizontalAlignment == Text.AlignLeft) ? Text.AlignRight : Text.AlignLeft textFormat: Text.PlainText renderType: Text.NativeRendering color: UM.Theme.getColor("setting_unit") diff --git a/resources/qml/Settings/SettingView.qml b/resources/qml/Settings/SettingView.qml index b31e7e4508..9506e70b4b 100644 --- a/resources/qml/Settings/SettingView.qml +++ b/resources/qml/Settings/SettingView.qml @@ -199,7 +199,14 @@ Item label: Label {} } - onClicked: settingVisibilityPresetsMenu.open() + onClicked: + { + settingVisibilityPresetsMenu.popup( + settingVisibilityMenu, + -settingVisibilityPresetsMenu.width + UM.Theme.getSize("default_margin").width, + settingVisibilityMenu.height + ) + } } // Mouse area that gathers the scroll events to not propagate it to the main view. diff --git a/resources/qml/WelcomePages/WhatsNewContent.qml b/resources/qml/WelcomePages/WhatsNewContent.qml index e94a0b4744..9e03e59ecf 100644 --- a/resources/qml/WelcomePages/WhatsNewContent.qml +++ b/resources/qml/WelcomePages/WhatsNewContent.qml @@ -100,7 +100,7 @@ Item top: subpageImage.bottom topMargin: UM.Theme.getSize("default_margin").height bottom: parent.bottom - bottomMargin: UM.Theme.getSize("thick_margin").height + bottomMargin: UM.Theme.getSize("thin_margin").height left: subpageImage.left right: subpageImage.right } diff --git a/resources/qml/Widgets/Menu.qml b/resources/qml/Widgets/Menu.qml new file mode 100644 index 0000000000..1c6a55c28a --- /dev/null +++ b/resources/qml/Widgets/Menu.qml @@ -0,0 +1,24 @@ +// Copyright (c) 2021 Ultimaker B.V. +// Cura is released under the terms of the LGPLv3 or higher. + +import QtQuick 2.7 +import QtQuick.Controls 2.3 + +import UM 1.1 as UM + +// +// Menu with Cura styling. +// +Menu +{ + id: menu + padding: 0 + + implicitWidth: UM.Theme.getSize("setting_control").width + width: Math.max.apply(Math, Object.values(contentChildren).map(function(c) { return c.width })) + + background: Rectangle { + color: UM.Theme.getColor("setting_control") + border.color: UM.Theme.getColor("setting_control_border") + } +} \ No newline at end of file diff --git a/resources/qml/Widgets/MenuItem.qml b/resources/qml/Widgets/MenuItem.qml new file mode 100644 index 0000000000..a930bfe901 --- /dev/null +++ b/resources/qml/Widgets/MenuItem.qml @@ -0,0 +1,66 @@ +// Copyright (c) 2021 Ultimaker B.V. +// Cura is released under the terms of the LGPLv3 or higher. + +import QtQuick 2.7 +import QtQuick.Controls 2.3 + +import UM 1.1 as UM + +// +// MenuItem with Cura styling. +// +MenuItem +{ + id: menuItem + + implicitHeight: UM.Theme.getSize("setting_control").height + UM.Theme.getSize("narrow_margin").height + opacity: enabled ? 1.0 : 0.5 + + arrow: UM.RecolorImage + { + visible: menuItem.subMenu + height: UM.Theme.getSize("default_arrow").height + width: height + anchors.verticalCenter: parent.verticalCenter + anchors.right: parent.right + anchors.rightMargin: UM.Theme.getSize("default_margin").width + source: UM.Theme.getIcon("arrow_right") + color: UM.Theme.getColor("setting_control_text") + } + + indicator: UM.RecolorImage + { + id: check + visible: menuItem.checkable && menuItem.checked + height: UM.Theme.getSize("default_arrow").height + width: height + anchors.verticalCenter: parent.verticalCenter + anchors.left: parent.left + anchors.leftMargin: UM.Theme.getSize("default_margin").width + source: UM.Theme.getIcon("check") + color: UM.Theme.getColor("setting_control_text") + } + + contentItem: Text { + leftPadding: menuItem.checkable ? menuItem.indicator.width + UM.Theme.getSize("default_margin").width : UM.Theme.getSize("thin_margin").width + rightPadding: menuItem.subMenu ? menuItem.arrow.width + UM.Theme.getSize("default_margin").width : UM.Theme.getSize("thin_margin").width + text: menuItem.text + + textFormat: Text.PlainText + renderType: Text.NativeRendering + color: UM.Theme.getColor("setting_control_text") + font: UM.Theme.getFont("default") + elide: Text.ElideRight + verticalAlignment: Text.AlignVCenter + } + + background: Rectangle { + x: UM.Theme.getSize("default_lining").width + y: UM.Theme.getSize("default_lining").width + width: menuItem.width - 2 * UM.Theme.getSize("default_lining").width + height: menuItem.height - 2 * UM.Theme.getSize("default_lining").height + + color: menuItem.highlighted ? UM.Theme.getColor("setting_control_highlight") : "transparent" + border.color: menuItem.highlighted ? UM.Theme.getColor("setting_control_border_highlight") : "transparent" + } +} \ No newline at end of file diff --git a/resources/qml/Widgets/MenuSeparator.qml b/resources/qml/Widgets/MenuSeparator.qml new file mode 100644 index 0000000000..cfc696fbb3 --- /dev/null +++ b/resources/qml/Widgets/MenuSeparator.qml @@ -0,0 +1,20 @@ +// Copyright (c) 2021 Ultimaker B.V. +// Cura is released under the terms of the LGPLv3 or higher. + +import QtQuick 2.7 +import QtQuick.Controls 2.3 + +import UM 1.1 as UM + +// +// MenuSeparator with Cura styling. +// +MenuSeparator +{ + padding: 0 + + contentItem: Rectangle { + implicitHeight: UM.Theme.getSize("default_lining").height + color: UM.Theme.getColor("setting_control_border") + } +} \ No newline at end of file diff --git a/resources/qml/qmldir b/resources/qml/qmldir index ab61101778..df2518c988 100644 --- a/resources/qml/qmldir +++ b/resources/qml/qmldir @@ -36,6 +36,9 @@ Scrollable 1.0 Scrollable.qml TabButton 1.0 TabButton.qml TextField 1.0 TextField.qml ScrollView 1.0 ScrollView.qml +Menu 1.0 Menu.qml +MenuItem 1.0 MenuItem.qml +MenuSeparator 1.0 MenuSeparator.qml # Cura/MachineSettings 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 new file mode 100644 index 0000000000..3a6094cdbb --- /dev/null +++ b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_draft.inst.cfg @@ -0,0 +1,14 @@ +[general] +version = 4 +name = Draft +definition = anycubic_i3_mega_s + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +global_quality = True + +[values] +layer_height = 0.3 \ No newline at end of file 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 new file mode 100644 index 0000000000..971bc86be4 --- /dev/null +++ b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_high.inst.cfg @@ -0,0 +1,14 @@ +[general] +version = 4 +name = High +definition = anycubic_i3_mega_s + +[metadata] +setting_version = 18 +type = quality +quality_type = high +weight = 1 +global_quality = True + +[values] +layer_height = 0.1 \ No newline at end of file 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 new file mode 100644 index 0000000000..9ff8ba2189 --- /dev/null +++ b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_normal.inst.cfg @@ -0,0 +1,14 @@ +[general] +version = 4 +name = Normal +definition = anycubic_i3_mega_s + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +global_quality = True + +[values] +layer_height = 0.2 \ No newline at end of file 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 9867dc815b..9a0b35c9ba 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_abs variant = DBE 0.25mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 0.5 cool_fan_speed = 50 cool_fan_speed_max = 50 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 c6cd582530..df7cc7546c 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_abs variant = DBE 0.25mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 0.5 cool_fan_speed = 50 cool_fan_speed_max = 50 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 2e1fe3090f..63a43322a3 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_abs variant = DBE 0.25mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 0.5 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 32 \ No newline at end of file +speed_print = 32 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 170868fd62..8a3a71ad64 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_abs variant = DBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 7a2f18eecc..b4a0daa7a2 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_abs variant = DBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 49cc5b53c1..bb940835ba 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_abs variant = DBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 552dd0be28..4314ad988b 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 @@ -6,16 +6,16 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_abs -variant = FBE 0.40mm +variant = DBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 -material_print_temperature = 240 \ No newline at end of file +material_print_temperature = 240 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 51eb426a6b..c6ba50162b 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_abs variant = DBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 f039e3a282..e3a3800edd 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_abs variant = DBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 ea3faa6c97..a4de60c45b 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 @@ -6,16 +6,16 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_abs -variant = FBE 0.60mm +variant = DBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 -material_print_temperature = 240 \ No newline at end of file +material_print_temperature = 240 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 995f39362d..a59c40b0e1 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_abs variant = DBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 283c00f9cd..75cbf4f301 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 @@ -1,17 +1,17 @@ [general] version = 4 -name = A +name = F definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_abs variant = DBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 45 \ No newline at end of file +speed_print = 45 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 c53a7d4271..2a85a7be69 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_abs variant = FBE 0.25mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 0.5 cool_fan_speed = 50 cool_fan_speed_max = 50 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 bc9751139b..dd734e018f 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_abs variant = FBE 0.25mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 0.5 cool_fan_speed = 50 cool_fan_speed_max = 50 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 41883f09b2..cf75514f69 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_abs variant = FBE 0.25mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 0.5 cool_fan_speed = 50 cool_fan_speed_max = 50 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 ec3d7d954f..51cc8e72cf 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_abs variant = FBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 e4e263d3ce..3ab137369b 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_abs variant = FBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 194f75f1cb..639a6f6cc6 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_abs variant = FBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 552dd0be28..6e089a2cd5 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_abs variant = FBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 fa497abf93..a44306d036 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_abs variant = FBE 0.40mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 848deb0a74..8f263debd3 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_abs variant = FBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 ea3faa6c97..d65b2a460b 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_abs variant = FBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 9702c1da30..7c1def033a 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_abs variant = FBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 ce85d81e22..6ea4c10017 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 @@ -1,17 +1,17 @@ [general] version = 4 -name = A +name = F definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_abs variant = FBE 0.60mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 45 \ No newline at end of file +speed_print = 45 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 fe6637abc0..243dd9f43c 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_abs -variant = V-FBE 0.80mm +variant = V-DBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 150 \ No newline at end of file +speed_print = 150 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 c78d1ee82e..f0bcbc03b9 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_abs variant = V-DBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 422ecd119e..d527be94a7 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 @@ -1,17 +1,17 @@ [general] version = 4 -name = A +name = F definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_abs variant = V-DBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 75 \ No newline at end of file +speed_print = 75 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 9b18da0e8b..aa57f58a09 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 @@ -1,17 +1,17 @@ [general] version = 4 -name = C +name = G definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D060 material = generic_abs variant = V-DBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 55 \ No newline at end of file +speed_print = 55 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 fe6637abc0..5691fc373c 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_abs variant = V-FBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 473e0162d1..d116f795e5 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_abs variant = V-FBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 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 c1717c1bab..07264af8b7 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 @@ -1,17 +1,17 @@ [general] version = 4 -name = A +name = F definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_abs variant = V-FBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 75 \ No newline at end of file +speed_print = 75 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 fc8d83611e..c3dcd152ae 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 @@ -1,17 +1,17 @@ [general] version = 4 -name = C +name = G definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = g +quality_type = D060 material = generic_abs variant = V-FBE 0.80mm [values] -adhesion_type = raft +adhesion_type = brim cool_fan_full_at_height = 1 cool_fan_speed = 50 cool_fan_speed_max = 50 @@ -19,4 +19,4 @@ cool_fan_speed_min = 0 material_bed_temperature = 100 material_bed_temperature_layer_0 = 80 material_print_temperature = 240 -speed_print = 55 \ No newline at end of file +speed_print = 55 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 1978e5d1e1..6893472559 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 @@ -6,12 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_petg variant = DBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 +layer_height_0 = 0.2 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +21,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 \ No newline at end of file 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 8fbbf3305b..5dbdb30726 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 @@ -6,12 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_petg variant = DBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 +layer_height_0 = 0.2 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +21,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 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 5125482a58..a7d3d00843 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 @@ -6,12 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_petg variant = DBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 +layer_height_0 = 0.2 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +21,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 \ No newline at end of file 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 03f63c0134..3c616ae553 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_petg variant = DBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 111ce37948..93ca4a747e 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_petg variant = DBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 fa47d2e0bb..1c639a945a 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_petg variant = DBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 \ No newline at end of file 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 21647baec6..40ae3d02eb 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_petg variant = DBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 72350e0c43..3c6f31551e 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_petg variant = DBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 40 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.7 speed_roofing = =speed_print * 0.7 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 e859527af1..a86a093ef1 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_petg variant = DBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 26 speed_infill = =speed_print speed_wall_0 = =speed_print speed_roofing = =speed_print -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 7e1eafa5f5..6ab862ed19 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 @@ -6,12 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_petg variant = FBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 +layer_height_0 = 0.2 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +21,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 \ No newline at end of file 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 fb435193be..612c1a3705 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 @@ -6,12 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_petg variant = FBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 +layer_height_0 = 0.2 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +21,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 \ No newline at end of file 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 9417fafb56..fcc81ab78f 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 @@ -6,12 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_petg variant = FBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 +layer_height_0 = 0.2 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +21,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 \ No newline at end of file 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 19d1ad0179..04fe704709 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_petg variant = FBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 4b34c10953..69038692ef 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_petg variant = FBE 0.40mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 4d5e8b46be..56d799a1a1 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_petg variant = FBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,16 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 +support_z_distance = =layer_height * 2 \ No newline at end of file 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 6777034b09..21f97f79e0 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_petg variant = FBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 50 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.5 speed_roofing = =speed_print * 0.5 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 cac232a5a0..5c6363dc3a 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_petg variant = FBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 40 speed_infill = =speed_print speed_wall_0 = =speed_print * 0.7 speed_roofing = =speed_print * 0.7 -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 -retraction_combing_max_distance = 5 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False +retraction_combing_max_distance = 5 \ No newline at end of file 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 68498ef572..9662f87f10 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 @@ -6,12 +6,12 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_petg variant = FBE 0.60mm [values] -adhesion_type = skirt +material_print_temperature = 225 cool_fan_full_at_height = 1 cool_fan_speed = 60 cool_fan_speed_max = 100 @@ -20,11 +20,15 @@ speed_print = 26 speed_infill = =speed_print speed_wall_0 = =speed_print speed_roofing = =speed_print -default_material_print_temperature = 235 material_bed_temperature = 60 material_bed_temperature_layer_0 = 45 +material_flow = 95 +infill_enable_travel_optimization = True initial_layer_line_width_factor = 120 -retraction_speed = 40 +retraction_amount = 5 coasting_enable = True coasting_volume = 0.256 +coasting_min_volume = 3 +coasting_speed = 70 +travel_avoid_other_parts = False retraction_combing_max_distance = 5 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 491cf980cd..190b4d8f1a 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_pla -variant = DBE 0.40mm +variant = DBE 0.25mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 d4aa26b302..ac1f80887e 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_pla -variant = DBE 0.40mm +variant = DBE 0.25mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 55 \ No newline at end of file +speed_print = 55 +material_bed_temperature = 45 \ No newline at end of file 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 d5fe41ecfa..23333d8d8c 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_pla -variant = DBE 0.40mm +variant = DBE 0.25mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 32 \ No newline at end of file +speed_print = 32 +material_bed_temperature = 45 \ No newline at end of file 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 491cf980cd..64752eb261 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_pla variant = DBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 17e6195dcd..6937835a60 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_pla variant = DBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 62c5962c1b..1ba93e4759 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_pla variant = DBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 b743cc967c..cb26386d64 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_pla variant = DBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 9dbde16674..8d4b4b52c1 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_pla variant = DBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 659b2e74ee..561aa69fc4 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_pla variant = DBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 e8fd141ae4..4e2c2747f5 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_pla variant = DBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 444da46b88..e4baa49213 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_pla variant = DBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 65 \ No newline at end of file +speed_print = 65 +material_bed_temperature = 45 \ No newline at end of file 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 756c005295..50bb75e4df 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_pla variant = DBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 45 \ No newline at end of file +speed_print = 45 +material_bed_temperature = 45 \ No newline at end of file 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 0fe430ddb8..a2b6ab1120 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_pla -variant = FBE 0.40mm +variant = FBE 0.25mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 786f41153e..f028de7f59 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_pla -variant = FBE 0.40mm +variant = FBE 0.25mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 55 \ No newline at end of file +speed_print = 55 +material_bed_temperature = 45 \ No newline at end of file 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 57611fdf6e..407acd9f6d 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_pla -variant = FBE 0.40mm +variant = FBE 0.25mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 32 \ No newline at end of file +speed_print = 32 +material_bed_temperature = 45 \ No newline at end of file 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 0fe430ddb8..48bcfcf1b8 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 material = generic_pla variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 2661e9b897..ad9ab5361f 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_pla variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 fcdcfcc62e..005da46f41 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_pla variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 5e76c52c43..6be10b401c 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_pla variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 bd8b692959..13451ea8dd 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_pla variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 -cool_fan_speed_min = 100 \ No newline at end of file +cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 ccac585991..85fb66e561 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_pla variant = FBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 1cdd86eaee..8ed4518caf 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 @@ -6,13 +6,13 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_pla variant = FBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 +material_bed_temperature = 45 \ No newline at end of file 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 1a46ae1ac0..93884d513b 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_pla variant = FBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 65 \ No newline at end of file +speed_print = 65 +material_bed_temperature = 45 \ No newline at end of file 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 314537032a..217eac1b11 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_pla variant = FBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 45 \ No newline at end of file +speed_print = 45 +material_bed_temperature = 45 \ No newline at end of file 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 5ffdf00216..a369b3e0af 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_pla variant = V-DBE 0.80mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 150 \ No newline at end of file +speed_print = 150 +material_bed_temperature = 45 \ No newline at end of file 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 2dc9f97425..fd0e10c95a 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_pla variant = V-DBE 0.80mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 110 \ No newline at end of file +speed_print = 110 +material_bed_temperature = 45 \ No newline at end of file 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 adb0de5641..61a3a0212f 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_pla variant = V-DBE 0.80mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 75 \ No newline at end of file +speed_print = 75 +material_bed_temperature = 45 \ No newline at end of file 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 f9da69076a..9d83ab0df9 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = g +quality_type = D060 material = generic_pla variant = V-DBE 0.80mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 55 \ No newline at end of file +speed_print = 55 +material_bed_temperature = 45 \ No newline at end of file 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 85c11320ba..04d2baa0d4 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_pla variant = V-FBE 0.80mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 150 \ No newline at end of file +speed_print = 150 +material_bed_temperature = 45 \ No newline at end of file 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 79e99b671e..2a2157d623 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 material = generic_pla variant = V-FBE 0.60mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 110 \ No newline at end of file +speed_print = 110 +material_bed_temperature = 45 \ No newline at end of file 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 c34bd49f80..7ae22d42f0 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 material = generic_pla variant = V-FBE 0.80mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 75 \ No newline at end of file +speed_print = 75 +material_bed_temperature = 45 \ No newline at end of file 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 23f6c849c3..f90a45f192 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 @@ -6,14 +6,14 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = g +quality_type = D060 material = generic_pla variant = V-FBE 0.80mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 4 cool_fan_speed = 100 cool_fan_speed_max = 100 cool_fan_speed_min = 100 -speed_print = 55 \ No newline at end of file +speed_print = 55 +material_bed_temperature = 45 \ No newline at end of file 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 new file mode 100644 index 0000000000..ea36126711 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_A.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = A +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D005 +material = generic_pva +variant = DBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..347bdc8354 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_B.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = B +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D010 +material = generic_pva +variant = DBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..8209fb83d4 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_C.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = C +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D015 +material = generic_pva +variant = DBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..98251a9608 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_D.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = D +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D020 +material = generic_pva +variant = DBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..f1d81882dc --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_E.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = E +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D030 +material = generic_pva +variant = DBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..06f186674b --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_C.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = C +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D015 +material = generic_pva +variant = DBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..7cec8fffac --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_D.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = D +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D020 +material = generic_pva +variant = DBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..7eb6156c2a --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_E.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = E +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D030 +material = generic_pva +variant = DBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..a2b8cd84d0 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_F.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = F +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D045 +material = generic_pva +variant = DBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..61cf776226 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_A.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = A +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D005 +material = generic_pva +variant = FBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..4385b2ecee --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_B.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = B +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D010 +material = generic_pva +variant = FBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..5613bbd6e7 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_C.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = C +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D015 +material = generic_pva +variant = FBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 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 new file mode 100644 index 0000000000..21f3fb8424 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_D.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = D +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D020 +material = generic_pva +variant = FBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..b518d525ca --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_E.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = E +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D030 +material = generic_pva +variant = FBE 0.40mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..bc048e4799 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_C.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = C +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D015 +material = generic_pva +variant = FBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 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 new file mode 100644 index 0000000000..fd4ea7d455 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_D.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = D +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D020 +material = generic_pva +variant = FBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..e78e3a0514 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_E.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = E +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D030 +material = generic_pva +variant = FBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..b258b9dc41 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_F.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = F +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D045 +material = generic_pva +variant = FBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..1c1a5a52cd --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_D.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = D +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D020 +material = generic_pva +variant = V-DBE 0.80mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..8d8db9387c --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_E.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = E +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D030 +material = generic_pva +variant = V-DBE 0.80mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..ff64b67efc --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_F.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = F +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D045 +material = generic_pva +variant = V-DBE 0.80mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..8550efebb6 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_G.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = G +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D060 +material = generic_pva +variant = V-DBE 0.80mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..b3385d3cbf --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_D.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = D +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D020 +material = generic_pva +variant = V-FBE 0.80mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..d2c2daf205 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_E.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = E +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D030 +material = generic_pva +variant = V-FBE 0.60mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..3d70266b8d --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_F.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = F +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D045 +material = generic_pva +variant = V-FBE 0.80mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..a854364a17 --- /dev/null +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_G.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = G +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D060 +material = generic_pva +variant = V-FBE 0.80mm + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +prime_tower_enable = False +support_brim_enable = True +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..3f42fd6338 --- /dev/null +++ b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_B.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = B +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D010 +material = generic_tpu +variant = DBE 0.40mm + +[values] +cool_fan_full_at_height = =layer_height * 6 +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_fan_speed_min = 70 +speed_print = 25 +speed_travel = 300 +acceleration_travel = 10000 +retraction_amount = 5 +retraction_hop_enabled = False +ironing_flow = 5 +jerk_ironing = 5 +speed_ironing = =speed_print +switch_extruder_retraction_amount = 10 \ No newline at end of file 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 new file mode 100644 index 0000000000..0f1841395c --- /dev/null +++ b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_C.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = C +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D015 +material = generic_tpu +variant = DBE 0.40mm + +[values] +cool_fan_full_at_height = =layer_height * 6 +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_fan_speed_min = 70 +speed_print = 25 +speed_travel = 300 +acceleration_travel = 10000 +retraction_amount = 5 +retraction_hop_enabled = False +ironing_flow = 5 +jerk_ironing = 5 +speed_ironing = =speed_print +switch_extruder_retraction_amount = 10 \ No newline at end of file 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 new file mode 100644 index 0000000000..d995d7cc26 --- /dev/null +++ b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_D.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = D +definition = deltacomb_base + +[metadata] +setting_version = 18 +type = quality +quality_type = D020 +material = generic_tpu +variant = DBE 0.40mm + +[values] +cool_fan_full_at_height = =layer_height * 6 +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_fan_speed_min = 70 +speed_print = 25 +speed_travel = 300 +acceleration_travel = 10000 +retraction_amount = 5 +retraction_hop_enabled = False +ironing_flow = 5 +jerk_ironing = 5 +speed_ironing = =speed_print +switch_extruder_retraction_amount = 10 \ No newline at end of file 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 3f2afe1136..11c19cf830 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 @@ -6,12 +6,11 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 material = generic_tpu variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 6 cool_fan_speed = 100 cool_fan_speed_max = 100 @@ -23,4 +22,5 @@ retraction_amount = 5 retraction_hop_enabled = False ironing_flow = 5 jerk_ironing = 5 -speed_ironing = =speed_print \ No newline at end of file +speed_ironing = =speed_print +switch_extruder_retraction_amount = 10 \ No newline at end of file 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 3dfa6a5818..b531dbb3f9 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 @@ -6,12 +6,11 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 material = generic_tpu variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 6 cool_fan_speed = 100 cool_fan_speed_max = 100 @@ -24,3 +23,4 @@ retraction_hop_enabled = False ironing_flow = 5 jerk_ironing = 5 speed_ironing = =speed_print +switch_extruder_retraction_amount = 10 \ No newline at end of file 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 b6d94c7567..03fda654f7 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 @@ -6,12 +6,11 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 material = generic_tpu variant = FBE 0.40mm [values] -adhesion_type = skirt cool_fan_full_at_height = =layer_height * 6 cool_fan_speed = 100 cool_fan_speed_max = 100 @@ -24,3 +23,4 @@ retraction_hop_enabled = False ironing_flow = 5 jerk_ironing = 5 speed_ironing = =speed_print +switch_extruder_retraction_amount = 10 \ No newline at end of file diff --git a/resources/quality/deltacomb/deltacomb_global_A.inst.cfg b/resources/quality/deltacomb/deltacomb_global_A.inst.cfg index 15f3af1498..49a94d3956 100755 --- a/resources/quality/deltacomb/deltacomb_global_A.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_A.inst.cfg @@ -6,17 +6,18 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = a +quality_type = D005 weight = 1 global_quality = True [values] +adhesion_type = skirt layer_height = 0.05 layer_height_0 = 0.1 cool_fan_enabled = True cool_min_layer_time = 10 cool_min_layer_time_fan_speed_max = 10 cool_min_speed = 5 -material_flow_layer_0 = =material_flow * 1.2 material_print_temperature_layer_0 = =default_material_print_temperature + 5 support_angle = 80 +prime_tower_brim_enable = False \ No newline at end of file diff --git a/resources/quality/deltacomb/deltacomb_global_B.inst.cfg b/resources/quality/deltacomb/deltacomb_global_B.inst.cfg index a9a35b0854..a1c558478c 100755 --- a/resources/quality/deltacomb/deltacomb_global_B.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_B.inst.cfg @@ -6,17 +6,17 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = b +quality_type = D010 weight = 0 global_quality = True [values] +adhesion_type = skirt layer_height = 0.1 -layer_height_0 = 0.1 cool_fan_enabled = True cool_min_layer_time = 10 cool_min_layer_time_fan_speed_max = 10 cool_min_speed = 5 -material_flow_layer_0 = =material_flow * 1.2 material_print_temperature_layer_0 = =default_material_print_temperature + 5 support_angle = 65 +prime_tower_brim_enable = False \ No newline at end of file diff --git a/resources/quality/deltacomb/deltacomb_global_C.inst.cfg b/resources/quality/deltacomb/deltacomb_global_C.inst.cfg index 9918fc72fc..58280d863a 100755 --- a/resources/quality/deltacomb/deltacomb_global_C.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_C.inst.cfg @@ -6,16 +6,17 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = c +quality_type = D015 weight = -1 global_quality = True [values] +adhesion_type = skirt layer_height = 0.15 cool_fan_enabled = True cool_min_layer_time = 10 cool_min_layer_time_fan_speed_max = 10 cool_min_speed = 5 -material_flow_layer_0 = =material_flow * 1.2 material_print_temperature_layer_0 = =default_material_print_temperature + 5 support_angle = 55 +prime_tower_brim_enable = False \ No newline at end of file diff --git a/resources/quality/deltacomb/deltacomb_global_D.inst.cfg b/resources/quality/deltacomb/deltacomb_global_D.inst.cfg index facc0fe011..c88031a066 100755 --- a/resources/quality/deltacomb/deltacomb_global_D.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_D.inst.cfg @@ -6,15 +6,16 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = d +quality_type = D020 weight = -2 global_quality = True [values] +adhesion_type = skirt layer_height = 0.2 cool_fan_enabled = True cool_min_layer_time = 10 cool_min_layer_time_fan_speed_max = 10 cool_min_speed = 5 -material_flow_layer_0 = =material_flow * 1.2 material_print_temperature_layer_0 = =default_material_print_temperature + 5 +prime_tower_brim_enable = False \ No newline at end of file diff --git a/resources/quality/deltacomb/deltacomb_global_E.inst.cfg b/resources/quality/deltacomb/deltacomb_global_E.inst.cfg index 3be08e9bdc..b63f84062a 100755 --- a/resources/quality/deltacomb/deltacomb_global_E.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_E.inst.cfg @@ -6,15 +6,16 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = e +quality_type = D030 weight = -3 global_quality = True [values] +adhesion_type = skirt layer_height = 0.3 cool_fan_enabled = True cool_min_layer_time = 10 cool_min_layer_time_fan_speed_max = 10 cool_min_speed = 5 -material_flow_layer_0 = =material_flow * 1.2 material_print_temperature_layer_0 = =default_material_print_temperature + 5 +prime_tower_brim_enable = False \ No newline at end of file diff --git a/resources/quality/deltacomb/deltacomb_global_F.inst.cfg b/resources/quality/deltacomb/deltacomb_global_F.inst.cfg index 99da7140a7..238c32b700 100755 --- a/resources/quality/deltacomb/deltacomb_global_F.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_F.inst.cfg @@ -6,15 +6,16 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = f +quality_type = D045 weight = -4 global_quality = True [values] +adhesion_type = skirt layer_height = 0.45 cool_fan_enabled = True cool_min_layer_time = 10 cool_min_layer_time_fan_speed_max = 10 cool_min_speed = 5 -material_flow_layer_0 = =material_flow * 1.2 material_print_temperature_layer_0 = =default_material_print_temperature + 5 +prime_tower_brim_enable = False \ No newline at end of file diff --git a/resources/quality/deltacomb/deltacomb_global_G.inst.cfg b/resources/quality/deltacomb/deltacomb_global_G.inst.cfg index 8c5538d15a..78ff92ec9c 100755 --- a/resources/quality/deltacomb/deltacomb_global_G.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_G.inst.cfg @@ -6,15 +6,16 @@ definition = deltacomb_base [metadata] setting_version = 18 type = quality -quality_type = g +quality_type = D060 weight = -5 global_quality = True [values] +adhesion_type = skirt layer_height = 0.6 cool_fan_enabled = True cool_min_layer_time = 10 cool_min_layer_time_fan_speed_max = 10 cool_min_speed = 5 -material_flow_layer_0 = =material_flow * 1.2 material_print_temperature_layer_0 = =default_material_print_temperature + 5 +prime_tower_brim_enable = False \ No newline at end of file diff --git a/resources/quality/diy220/diy220_draft.inst.cfg b/resources/quality/diy220/diy220_draft.inst.cfg index 41fe9e1929..e5e0aaa2b9 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 = 16 +setting_version = 18 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 1d12289fbf..c02c066ad6 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 = 16 +setting_version = 18 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 ef4eeef9f9..1bc0d886f2 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 = 16 +setting_version = 18 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 5d20494d45..122e2d4d50 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 = 16 +setting_version = 18 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/eryone_thinker/eryone_thinker_fast.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_fast.inst.cfg index 54481db347..39718dbf4a 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 = 16 +setting_version = 18 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/eryone_thinker/eryone_thinker_high.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_high.inst.cfg index c5d782cf1c..993a920671 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 = 16 +setting_version = 18 type = quality quality_type = high weight = 1 diff --git a/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg index e53017db92..b22319faef 100644 --- a/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg +++ b/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = eryone_thinker [metadata] -setting_version = 16 +setting_version = 18 type = quality quality_type = normal weight = 0 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 4b89f85417..b9db4596df 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 = 16 +setting_version = 18 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 5b65914be0..d221aac166 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 = 16 +setting_version = 18 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 3096935120..f533fee5b2 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 = 16 +setting_version = 18 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 65d553a866..df96c7712e 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 = 16 +setting_version = 18 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 42bbf11ba4..3d974543cd 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 = 16 +setting_version = 18 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 ba78468141..56dacfe091 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 = 16 +setting_version = 18 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 10ffd429d3..f7f1ca1711 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 = 16 +setting_version = 18 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 597b47fee9..ac45a7f3e6 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 = 16 +setting_version = 18 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 6b913f21cb..07dd6905dc 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 = 16 +setting_version = 18 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 02bc48e2ab..485ef09081 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 = 16 +setting_version = 18 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 79c56d6519..9f5a16223e 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 = 16 +setting_version = 18 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 4e4665fa37..8192803c26 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 = 16 +setting_version = 18 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 80bc1242fa..49f8496e88 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 = 16 +setting_version = 18 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 d8033fdde6..309a35e4df 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 = 16 +setting_version = 18 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 fe1759972e..fa50b93230 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 = 16 +setting_version = 18 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 512d0155b8..1df09543dd 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 = 16 +setting_version = 18 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 af4831be3a..8e06d3f2e5 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 = 16 +setting_version = 18 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 ee9957841a..308c15e1e7 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 = 16 +setting_version = 18 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 9b928ffc1d..746afe654e 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 = 16 +setting_version = 18 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 9f93603622..403a2b6b72 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 = 16 +setting_version = 18 type = quality quality_type = ultra weight = 0 @@ -21,9 +21,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 200 material_print_temperature_layer_0 = 0 -retraction_amount = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 40 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 e4f8548565..e64b371f57 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 = 16 +setting_version = 18 type = quality quality_type = super weight = -1 @@ -21,9 +21,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 200 material_print_temperature_layer_0 = 0 -retraction_amount = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 40 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 f7d02470fc..8a95b774d3 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 = 16 +setting_version = 18 type = quality quality_type = adaptive weight = -2 @@ -22,9 +22,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 200 material_print_temperature_layer_0 = 0 -retraction_amount = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 50 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 a19bfdeb91..acafba1b1d 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 = 16 +setting_version = 18 type = quality quality_type = normal weight = -3 @@ -21,9 +21,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 200 material_print_temperature_layer_0 = 0 -retraction_amount = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 50 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 0d01602fd5..a61274df22 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 = 16 +setting_version = 18 type = quality quality_type = low weight = -4 @@ -21,9 +21,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 200 material_print_temperature_layer_0 = 0 -retraction_amount = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 50 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 74429e2913..4022195e31 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 = 16 +setting_version = 18 type = quality quality_type = draft weight = -5 @@ -21,9 +21,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 200 material_print_temperature_layer_0 = 0 -retraction_min_travel = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 40 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 36e7f69b50..1dbdd5c878 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 = 16 +setting_version = 18 type = quality quality_type = coarse weight = -6 @@ -21,9 +21,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 205 material_print_temperature_layer_0 = 0 -retraction_amount = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 30 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 c03d10747d..24035acf68 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 = 16 +setting_version = 18 type = quality quality_type = Xcoarse weight = -7 @@ -21,9 +21,7 @@ material_bed_temperature = 40 material_diameter = 1.75 material_print_temperature = 205 material_print_temperature_layer_0 = 0 -retraction_amount = 1.3 -retraction_speed = 40 speed_infill = =speed_print speed_print = 30 speed_support = 30 -speed_travel = 100 +speed_travel = 70 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 139664362c..21fd057c80 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 = 16 +setting_version = 18 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 72bb1ebb9b..ce208830c4 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 = 16 +setting_version = 18 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 f3a6a0aaa3..d636c17802 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 = 16 +setting_version = 18 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 e1bbbd7cd2..35d145b125 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 = 16 +setting_version = 18 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 713b4d16f0..b9a1d32d1d 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 = 16 +setting_version = 18 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 0ffd1eb014..6f6751fc7a 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 = 16 +setting_version = 18 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 bdbce4166b..07f6d5aa09 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 = 16 +setting_version = 18 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 c68826fb2a..9d7115f3a9 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 = 16 +setting_version = 18 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 07ac3a3871..776c3c7d14 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 = 16 +setting_version = 18 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 ef66e21dba..df66e9e754 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 = 16 +setting_version = 18 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 2761a8f10b..5e1dd798e9 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 = 16 +setting_version = 18 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 aaea116e3c..8c881f2b75 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 = 16 +setting_version = 18 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 aafa051394..61b4d27cae 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 = 16 +setting_version = 18 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 fffa0db714..b5ff3ea513 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 = 16 +setting_version = 18 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 e0fcffa603..61409cd5b1 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 = 16 +setting_version = 18 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 f3423b812b..1ccc27701e 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 = 16 +setting_version = 18 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 8734e82cd5..06dbbee5ed 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 = 16 +setting_version = 18 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 47af1733d7..8d012aa071 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 = 16 +setting_version = 18 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 3b9b12176a..eb0141be7d 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 = 16 +setting_version = 18 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 8244f4a4e0..faa458b175 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 = 16 +setting_version = 18 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 3d7efb9d55..f8fcb63f68 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 = 16 +setting_version = 18 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 a60d74b4a3..53f4647536 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 = 16 +setting_version = 18 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 b71b4737ac..8048bfac71 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 = 16 +setting_version = 18 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 def41a6c1c..8d41a367ee 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 = 16 +setting_version = 18 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 b5f0de4850..6bca0775a0 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 = 16 +setting_version = 18 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 70fe728270..b2be460c3b 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 = 16 +setting_version = 18 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 9b28e8825a..349c582ed5 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 = 16 +setting_version = 18 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 22a03c34f2..8276f2231b 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 = 16 +setting_version = 18 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 7bb2752874..9fcd574f0e 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 = 16 +setting_version = 18 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 b679934f2e..3d034bb4bf 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 = 16 +setting_version = 18 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 4fb0be1f0e..f7a0677cb1 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 = 16 +setting_version = 18 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 b49b145337..f0f003a449 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 = 16 +setting_version = 18 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 b871309231..5f8154f21b 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 = 16 +setting_version = 18 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 a93f2f47e5..a0c243d5e8 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 = 16 +setting_version = 18 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 abaadf09b5..550daa85c0 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 = 16 +setting_version = 18 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 590136bdbb..cc87788efd 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 = 16 +setting_version = 18 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 d1cea77740..dc2c9d6c41 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 = 16 +setting_version = 18 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 9d0e304a44..230fcbc02f 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 = 16 +setting_version = 18 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 5566b1adc4..43ca2c4292 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 = 16 +setting_version = 18 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 e3dbc73d2c..14be3c87ae 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 = 16 +setting_version = 18 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 bb7596cbbc..149d8cab4b 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 = 16 +setting_version = 18 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 e9eef16666..ba10bf2faa 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 = 16 +setting_version = 18 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 81410f49e1..04b7d2f561 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 = 16 +setting_version = 18 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 f0c86c53c3..f65831e815 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 = 16 +setting_version = 18 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 21c42936a7..4cc4ef07d4 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 = 16 +setting_version = 18 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 c7f9064cdd..36dfc379a7 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 = 16 +setting_version = 18 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 6b04adda10..f353b9b42f 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 = 16 +setting_version = 18 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 2f7dfdebba..f392caa5d7 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 = 16 +setting_version = 18 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/inat/inat_base_advanced_materials.inst.cfg b/resources/quality/inat/inat_base_advanced_materials.inst.cfg index 21731f19d9..ef73ae3b91 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 = 16 +setting_version = 18 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 a04cc3f0a3..3e6511a838 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 = 16 +setting_version = 18 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 0b6e1e559b..b229b5e04d 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 = 16 +setting_version = 18 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 3ebf52796b..02a72551c7 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 = 16 +setting_version = 18 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 4032d7751a..6428168496 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 = 16 +setting_version = 18 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 09794b9b72..e84f1c88a3 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 = 16 +setting_version = 18 type = quality quality_type = normal_tree_supp weight = -2 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 abbb78842a..0b32fe582b 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 = 16 +setting_version = 18 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 f31a22ef4d..0d38b06003 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 = 16 +setting_version = 18 type = quality weight = -1 global_quality = true @@ -20,7 +20,6 @@ speed_travel = 80 retraction_amount = 4 adhesion_type = skirt acceleration_enabled = True -adhesion_type = skirt jerk_enabled = True retraction_combing = infill support_enable = False 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 d3ad506d77..4e685c078b 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 = 16 +setting_version = 18 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 724cba5d92..fec1807b9e 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 = 16 +setting_version = 18 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 290dd426c3..b3562ec332 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 = 16 +setting_version = 18 type = quality weight = -2 global_quality = true 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 new file mode 100644 index 0000000000..34d9d2c959 --- /dev/null +++ b/resources/quality/longer/ABS/longer_0.4_ABS_adaptive.inst.cfg @@ -0,0 +1,14 @@ +[general] +version = 4 +name = Dynamic Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_abs +variant = 0.4mm Nozzle + +[values] +wall_thickness = =line_width*4 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 new file mode 100644 index 0000000000..e6f9d9d492 --- /dev/null +++ b/resources/quality/longer/ABS/longer_0.4_ABS_low.inst.cfg @@ -0,0 +1,14 @@ +[general] +version = 4 +name = Low Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_abs +variant = 0.4mm Nozzle + +[values] +wall_thickness = =line_width*4 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 new file mode 100644 index 0000000000..cd5b423baa --- /dev/null +++ b/resources/quality/longer/ABS/longer_0.4_ABS_standard.inst.cfg @@ -0,0 +1,14 @@ +[general] +version = 4 +name = Standard Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_abs +variant = 0.4mm Nozzle + +[values] +wall_thickness = =line_width*4 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 new file mode 100644 index 0000000000..e46ac31670 --- /dev/null +++ b/resources/quality/longer/ABS/longer_0.4_ABS_super.inst.cfg @@ -0,0 +1,14 @@ +[general] +version = 4 +name = Super Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_abs +variant = 0.4mm Nozzle + +[values] +wall_thickness = =line_width*4 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 new file mode 100644 index 0000000000..01f6e0f256 --- /dev/null +++ b/resources/quality/longer/PETG/longer_0.4_PETG_adaptive.inst.cfg @@ -0,0 +1,16 @@ +[general] +version = 4 +name = Dynamic Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_petg +variant = 0.4mm Nozzle + +[values] +speed_layer_0 = 15 +wall_thickness = =line_width*4 +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..ee40ae3332 --- /dev/null +++ b/resources/quality/longer/PETG/longer_0.4_PETG_low.inst.cfg @@ -0,0 +1,16 @@ +[general] +version = 4 +name = Low Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_petg +variant = 0.4mm Nozzle + +[values] +speed_layer_0 = 15 +wall_thickness = =line_width*4 +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..9a8a755392 --- /dev/null +++ b/resources/quality/longer/PETG/longer_0.4_PETG_standard.inst.cfg @@ -0,0 +1,16 @@ +[general] +version = 4 +name = Standard Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_petg +variant = 0.4mm Nozzle + +[values] +speed_layer_0 = 15 +wall_thickness = =line_width*4 +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..c0068af923 --- /dev/null +++ b/resources/quality/longer/PETG/longer_0.4_PETG_super.inst.cfg @@ -0,0 +1,16 @@ +[general] +version = 4 +name = Super Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_petg +variant = 0.4mm Nozzle + +[values] +speed_layer_0 = 15 +wall_thickness = =line_width*4 +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..7f73ff8b86 --- /dev/null +++ b/resources/quality/longer/PLA/longer_0.4_PLA_adaptive.inst.cfg @@ -0,0 +1,13 @@ +[general] +version = 4 +name = Dynamic Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_pla +variant = 0.4mm Nozzle + +[values] 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 new file mode 100644 index 0000000000..9242c0721f --- /dev/null +++ b/resources/quality/longer/PLA/longer_0.4_PLA_low.inst.cfg @@ -0,0 +1,13 @@ +[general] +version = 4 +name = Low Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_pla +variant = 0.4mm Nozzle + +[values] 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 new file mode 100644 index 0000000000..688817bb59 --- /dev/null +++ b/resources/quality/longer/PLA/longer_0.4_PLA_standard.inst.cfg @@ -0,0 +1,13 @@ +[general] +version = 4 +name = Standard Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_pla +variant = 0.4mm Nozzle + +[values] 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 new file mode 100644 index 0000000000..1e6ddb9e28 --- /dev/null +++ b/resources/quality/longer/PLA/longer_0.4_PLA_super.inst.cfg @@ -0,0 +1,13 @@ +[general] +version = 4 +name = Super Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_pla +variant = 0.4mm Nozzle + +[values] 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 new file mode 100644 index 0000000000..6d1fc5d287 --- /dev/null +++ b/resources/quality/longer/TPU/longer_0.4_TPU_adaptive.inst.cfg @@ -0,0 +1,13 @@ +[general] +version = 4 +name = Dynamic Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_tpu +variant = 0.4mm Nozzle + +[values] 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 new file mode 100644 index 0000000000..ad7b1ca41b --- /dev/null +++ b/resources/quality/longer/TPU/longer_0.4_TPU_standard.inst.cfg @@ -0,0 +1,13 @@ +[general] +version = 4 +name = Standard Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_tpu +variant = 0.4mm Nozzle + +[values] 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 new file mode 100644 index 0000000000..b2ec825c9b --- /dev/null +++ b/resources/quality/longer/TPU/longer_0.4_TPU_super.inst.cfg @@ -0,0 +1,13 @@ +[general] +version = 4 +name = Super Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_tpu +variant = 0.4mm Nozzle + +[values] diff --git a/resources/quality/longer/longer_global_adaptive.inst.cfg b/resources/quality/longer/longer_global_adaptive.inst.cfg new file mode 100644 index 0000000000..a8a0f01845 --- /dev/null +++ b/resources/quality/longer/longer_global_adaptive.inst.cfg @@ -0,0 +1,19 @@ +[general] +version = 4 +name = Dynamic Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +weight = -2 +global_quality = True + +[values] +layer_height = 0.16 +layer_height_0 = 0.20 +top_bottom_thickness = =layer_height_0+layer_height*4 +wall_thickness = =line_width*3 +support_interface_height = =layer_height*6 +adaptive_layer_height_enabled = true diff --git a/resources/quality/longer/longer_global_draft.inst.cfg b/resources/quality/longer/longer_global_draft.inst.cfg new file mode 100644 index 0000000000..addab570ea --- /dev/null +++ b/resources/quality/longer/longer_global_draft.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Draft Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -5 +global_quality = True + +[values] +layer_height = 0.32 +layer_height_0 = 0.32 +top_bottom_thickness = =layer_height_0+layer_height*3 +wall_thickness = =line_width*2 +support_interface_height = =layer_height*4 diff --git a/resources/quality/longer/longer_global_low.inst.cfg b/resources/quality/longer/longer_global_low.inst.cfg new file mode 100644 index 0000000000..d7dea4d57a --- /dev/null +++ b/resources/quality/longer/longer_global_low.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Low Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +weight = -4 +global_quality = True + +[values] +layer_height = 0.28 +layer_height_0 = 0.28 +top_bottom_thickness = =layer_height_0+layer_height*3 +wall_thickness = =line_width*2 +support_interface_height = =layer_height*4 diff --git a/resources/quality/longer/longer_global_standard.inst.cfg b/resources/quality/longer/longer_global_standard.inst.cfg new file mode 100644 index 0000000000..98d97f9f5c --- /dev/null +++ b/resources/quality/longer/longer_global_standard.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Standard Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +weight = -3 +global_quality = True + +[values] +layer_height = 0.2 +layer_height_0 = 0.2 +top_bottom_thickness = =layer_height_0+layer_height*3 +wall_thickness = =line_width*2 +support_interface_height = =layer_height*4 diff --git a/resources/quality/longer/longer_global_super.inst.cfg b/resources/quality/longer/longer_global_super.inst.cfg new file mode 100644 index 0000000000..491fbcb6d1 --- /dev/null +++ b/resources/quality/longer/longer_global_super.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Super Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +weight = -1 +global_quality = True + +[values] +layer_height = 0.12 +layer_height_0 = 0.12 +top_bottom_thickness = =layer_height_0+layer_height*6 +wall_thickness = =line_width*3 +support_interface_height = =layer_height*8 diff --git a/resources/quality/longer/longer_global_ultra.inst.cfg b/resources/quality/longer/longer_global_ultra.inst.cfg new file mode 100644 index 0000000000..512da4992d --- /dev/null +++ b/resources/quality/longer/longer_global_ultra.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Ultra Quality +definition = longer_base + +[metadata] +setting_version = 18 +type = quality +quality_type = ultra +weight = 0 +global_quality = True + +[values] +layer_height = 0.08 +layer_height_0 = 0.12 +top_bottom_thickness = =layer_height_0+layer_height*10 +wall_thickness = =line_width*3 +support_interface_height = =layer_height*12 diff --git a/resources/quality/skriware_2/sk2_advanced.inst.cfg b/resources/quality/skriware_2/sk2_advanced.inst.cfg new file mode 100644 index 0000000000..0a2834fc1f --- /dev/null +++ b/resources/quality/skriware_2/sk2_advanced.inst.cfg @@ -0,0 +1,35 @@ +[general] +version = 4 +name = Advanced +definition = skriware_2 + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +global_quality = True + +[values] +layer_height = 0.2 +layer_height_0 = 0.2 +speed_travel = 80 +acceleration_travel = 400 +jerk_travel = 10 +acceleration_layer_0 = 200 +acceleration_print_layer_0 = 200 +acceleration_travel_layer_0 = 200 +jerk_layer_0 = 2 +jerk_print_layer_0 = 2 +jerk_travel_layer_0 = 2 +raft_interface_line_spacing = 0.8 +raft_interface_line_width = 0.6 +raft_interface_speed = 40 +raft_interface_thickness = 0.2 +raft_base_line_spacing = 1.5 +raft_base_line_width = 0.8 +raft_base_speed = 20 +raft_base_thickness = 0.3 +raft_surface_layers = 1 +raft_surface_line_spacing = 0.6 +raft_surface_speed = 60 diff --git a/resources/quality/skriware_2/sk2_fast.inst.cfg b/resources/quality/skriware_2/sk2_fast.inst.cfg new file mode 100644 index 0000000000..7e514d0596 --- /dev/null +++ b/resources/quality/skriware_2/sk2_fast.inst.cfg @@ -0,0 +1,63 @@ +[general] +version = 4 +name = Fast +definition = skriware_2 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -1 +global_quality = True + +[values] +layer_height = 0.3 +layer_height_0 = 0.3 +support_infill_sparse_thickness = 0.3 +speed_travel = 100 +acceleration_travel = 400 +jerk_travel = 10 +speed_wall = 40 +speed_wall_0 = 30 +speed_wall_x = 40 +acceleration_wall = 400 +acceleration_wall_0 = 400 +acceleration_wall_x = 400 +jerk_wall = 10 +jerk_wall_0 = 10 +jerk_wall_x = 10 +speed_infill = 80 +acceleration_infill = 400 +jerk_infill = 10 +speed_roofing = 30 +acceleration_roofing = 400 +jerk_roofing = 10 +speed_topbottom = 30 +acceleration_topbottom = 400 +jerk_topbottom = 10 +speed_support = 50 +acceleration_support = 400 +jerk_support = 10 +speed_travel_layer_0 = 80 +speed_print_layer_0 = 20 +speed_layer_0 = 10 +acceleration_layer_0 = 200 +acceleration_print_layer_0 = 200 +acceleration_travel_layer_0 = 200 +jerk_layer_0 = 5 +jerk_print_layer_0 = 2 +jerk_travel_layer_0 = 10 +speed_print = 40 +acceleration_print = 400 +jerk_print = 10 +raft_interface_line_spacing = 0.8 +raft_interface_line_width = 0.6 +raft_interface_speed = 40 +raft_interface_thickness = 0.2 +raft_base_line_spacing = 1.5 +raft_base_line_width = 0.8 +raft_base_speed = 20 +raft_base_thickness = 0.3 +raft_surface_layers = 1 +raft_surface_line_spacing = 0.6 +raft_surface_speed = 60 diff --git a/resources/quality/skriware_2/sk2_precise.inst.cfg b/resources/quality/skriware_2/sk2_precise.inst.cfg new file mode 100644 index 0000000000..a7b0958c34 --- /dev/null +++ b/resources/quality/skriware_2/sk2_precise.inst.cfg @@ -0,0 +1,63 @@ +[general] +version = 4 +name = Precise +definition = skriware_2 + +[metadata] +setting_version = 18 +type = quality +quality_type = best +weight = -1 +global_quality = True + +[values] +layer_height = 0.2 +layer_height_0 = 0.2 +speed_print = 20 +speed_travel = 80 +acceleration_travel = 400 +jerk_travel = 10 +speed_wall = 20 +speed_wall_0 = 20 +speed_wall_x = 20 +acceleration_wall = 400 +acceleration_wall_0 = 200 +acceleration_wall_x = 200 +jerk_wall = 10 +jerk_wall_0 = 5 +jerk_wall_x = 10 +speed_infill = 80 +acceleration_infill = 400 +jerk_infill = 10 +speed_roofing = 20 +acceleration_roofing = 400 +jerk_roofing = 10 +speed_topbottom = 20 +acceleration_topbottom = 400 +jerk_topbottom = 10 +speed_support = 50 +acceleration_support = 400 +jerk_support = 10 +speed_travel_layer_0 = 80 +speed_print_layer_0 = 20 +speed_layer_0 = 20 +acceleration_layer_0 = 200 +acceleration_print_layer_0 = 200 +acceleration_travel_layer_0 = 200 +jerk_layer_0 = 10 +jerk_print_layer_0 = 10 +jerk_travel_layer_0 = 10 +speed_print = 20 +acceleration_print = 400 +jerk_print = 10 +raft_interface_line_spacing = 0.8 +raft_interface_line_width = 0.6 +raft_interface_speed = 40 +raft_interface_thickness = 0.2 +raft_base_line_spacing = 1.5 +raft_base_line_width = 0.8 +raft_base_speed = 20 +raft_base_thickness = 0.3 +raft_surface_layers = 1 +raft_surface_line_spacing = 0.6 +raft_surface_speed = 60 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 new file mode 100644 index 0000000000..7d68ddb3e2 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_A.inst.cfg @@ -0,0 +1,62 @@ +[general] +version = 4 +name = A +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = a +weight = 1 +material = emotiontech_copa +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 3 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/50) +speed_wall_0 = =math.ceil(speed_wall * 30/35) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 20/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +cool_lift_head = True +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 91 +skin_material_flow = 92 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 8 +bridge_wall_material_flow = 50 +bridge_skin_speed = 8 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..4084a089c8 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_B.inst.cfg @@ -0,0 +1,62 @@ +[general] +version = 4 +name = B +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = b +weight = 0 +material = emotiontech_copa +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 3 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 37/55) +speed_wall_0 = =math.ceil(speed_wall * 33/37) +speed_topbottom = =math.ceil(speed_print * 37/55) +speed_layer_0 = =math.ceil(speed_print * 25/55) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +cool_lift_head = True +support_angle = 60 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 91 +skin_material_flow = 92 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 15 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 8 +bridge_wall_material_flow = 50 +bridge_skin_speed = 8 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..f4fc3b09d2 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_C.inst.cfg @@ -0,0 +1,62 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = -1 +material = emotiontech_copa +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 3 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 40/60) +speed_wall_0 = =math.ceil(speed_wall * 35/40) +speed_topbottom = =math.ceil(speed_print * 40/60) +speed_layer_0 = =math.ceil(speed_print * 30/60) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +cool_lift_head = True +support_angle = 60 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 91 +skin_material_flow = 92 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 20 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 8 +bridge_wall_material_flow = 50 +bridge_skin_speed = 8 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..0e1d5c1263 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_A.inst.cfg @@ -0,0 +1,61 @@ +[general] +version = 4 +name = A +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = a +weight = 1 +material = emotiontech_pc +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/50) +speed_wall_0 = =math.ceil(speed_wall * 30/35) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 20/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 10 +cool_fan_speed_max = 10 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 12 +support_angle = 60 +cool_lift_head = true +material_print_temperature = 260 +material_print_temperature_layer_0 = 265 +material_flow = 88 +wall_line_count = 3 +retraction_extra_prime_amount = 0.1 +retraction_speed = 30 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +adhesion_type = brim + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 12 +bridge_wall_material_flow = 50 +bridge_skin_speed = 12.5 +bridge_skin_material_flow = 100 +bridge_skin_density = 80 +bridge_fan_speed = 100 + 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 new file mode 100644 index 0000000000..df2fd2c657 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_B.inst.cfg @@ -0,0 +1,61 @@ +[general] +version = 4 +name = B +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = b +weight = 0 +material = emotiontech_pc +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 37/55) +speed_wall_0 = =math.ceil(speed_wall * 33/37) +speed_topbottom = =math.ceil(speed_print * 37/55) +speed_layer_0 = =math.ceil(speed_print * 25/55) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 10 +cool_fan_speed_max = 10 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 12 +cool_lift_head = true +support_angle = 60 +material_print_temperature = 270 +material_print_temperature_layer_0 = 275 +material_flow = 88 +wall_line_count = 3 +retraction_speed = 30 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 15 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True + +adhesion_type = brim + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 12 +bridge_wall_material_flow = 50 +bridge_skin_speed = 12.5 +bridge_skin_material_flow = 100 +bridge_skin_density = 80 +bridge_fan_speed = 100 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 new file mode 100644 index 0000000000..4721991608 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_C.inst.cfg @@ -0,0 +1,61 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = -1 +material = emotiontech_pc +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 40/60) +speed_wall_0 = =math.ceil(speed_wall * 35/40) +speed_topbottom = =math.ceil(speed_print * 40/60) +speed_layer_0 = =math.ceil(speed_print * 30/60) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 10 +cool_fan_speed_max = 10 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 12 +support_angle = 60 +cool_lift_head = true +material_print_temperature = 270 +material_print_temperature_layer_0 = 275 +material_flow = 88 +wall_line_count = 3 +retraction_speed = 30 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 20 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True + +adhesion_type = brim + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 12 +bridge_wall_material_flow = 50 +bridge_skin_speed = 12.5 +bridge_skin_material_flow = 100 +bridge_skin_density = 80 +bridge_fan_speed = 100 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 new file mode 100644 index 0000000000..e1517d4e7a --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_A.inst.cfg @@ -0,0 +1,55 @@ +[general] +version = 4 +name = A +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = a +weight = 1 +material = emotiontech_pla_hr_870 +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 3 +speed_print = 30 +speed_wall = =math.ceil(speed_print * 35/50) +speed_wall_0 = =math.ceil(speed_wall * 30/35) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 20/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 4 +support_angle = 65 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 10 +material_initial_print_temperature = =default_material_print_temperature + 5 +material_final_print_temperature = =default_material_print_temperature + 5 +material_flow = 91 +skin_material_flow = 92 +retraction_amount = 2 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True \ No newline at end of file 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 new file mode 100644 index 0000000000..d0a3cb0ae8 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_B.inst.cfg @@ -0,0 +1,54 @@ +[general] +version = 4 +name = B +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = b +weight = 0 +material = emotiontech_pla_hr_870 +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 37/55) +speed_wall_0 = =math.ceil(speed_wall * 33/37) +speed_topbottom = =math.ceil(speed_print * 37/55) +speed_layer_0 = =math.ceil(speed_print * 25/55) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 4 +support_angle = 60 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 91 +skin_material_flow = 92 +retraction_amount = 2 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 15 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True \ No newline at end of file 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 new file mode 100644 index 0000000000..6eca6cc5f4 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_C.inst.cfg @@ -0,0 +1,54 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = -1 +material = emotiontech_pla_hr_870 +variant = Standard 0.4 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.4 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.35 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.3 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 40/60) +speed_wall_0 = =math.ceil(speed_wall * 35/40) +speed_topbottom = =math.ceil(speed_print * 40/60) +speed_layer_0 = =math.ceil(speed_print * 30/60) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 2 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 4 +support_angle = 55 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 91 +skin_material_flow = 92 +retraction_amount = 2 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 20 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True \ No newline at end of file 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 new file mode 100644 index 0000000000..abbc8696cb --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_B.inst.cfg @@ -0,0 +1,64 @@ +[general] +version = 4 +name = B +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = b +weight = 1 +material = emotiontech_copa +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 3 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 37/50) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 33/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 4 +cool_lift_head = True +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 90 +skin_material_flow = 92 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +retraction_amount = 3 +retraction_speed = 35 +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 50 +bridge_skin_speed = 10 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..1b7b7869b3 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_C.inst.cfg @@ -0,0 +1,64 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = 0 +material = emotiontech_copa +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 3 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 40/55) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 37/55) +speed_layer_0 = =math.ceil(speed_print * 27/55) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 4 +cool_lift_head = True +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 90 +skin_material_flow = 92 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +retraction_amount = 3 +retraction_speed = 35 +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 50 +bridge_skin_speed = 10 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..97ced29456 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_D.inst.cfg @@ -0,0 +1,64 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = -1 +material = emotiontech_copa +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 3 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 43/60) +speed_wall_0 = =math.ceil(speed_wall * 33/43) +speed_topbottom = =math.ceil(speed_print * 37/60) +speed_layer_0 = =math.ceil(speed_print * 25/60) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 4 +cool_lift_head = True +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 91 +skin_material_flow = 92 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +retraction_amount = 3 +retraction_speed = 35 +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 50 +bridge_skin_speed = 10 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..85487ea214 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_B.inst.cfg @@ -0,0 +1,59 @@ +[general] +version = 4 +name = B +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = b +weight = 1 +material = emotiontech_pc +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 37/50) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 33/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 20 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 8 +cool_lift_head = true +support_angle = 60 +material_print_temperature = 270 +material_print_temperature_layer_0 = 275 +material_flow = 87 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +retraction_amount = 2 +retraction_speed = 25 + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 75 +bridge_skin_speed = 10 +bridge_skin_material_flow = 80 +bridge_skin_density = 100 +bridge_fan_speed = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..ee66fc78e1 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_C.inst.cfg @@ -0,0 +1,59 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = 0 +material = emotiontech_pc +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 40/55) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 37/55) +speed_layer_0 = =math.ceil(speed_print * 27/55) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 20 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 8 +cool_lift_head = true +support_angle = 60 +material_print_temperature = 270 +material_print_temperature_layer_0 = 275 +material_flow = 87 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +retraction_amount = 2 +retraction_speed = 25 + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 75 +bridge_skin_speed = 10 +bridge_skin_material_flow = 80 +bridge_skin_density = 100 +bridge_fan_speed = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..fad2a7b637 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_D.inst.cfg @@ -0,0 +1,59 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = -1 +material = emotiontech_pc +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 43/60) +speed_wall_0 = =math.ceil(speed_wall * 33/43) +speed_topbottom = =math.ceil(speed_print * 37/60) +speed_layer_0 = =math.ceil(speed_print * 25/60) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 20 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 8 +cool_lift_head = true +support_angle = 60 +material_print_temperature = 270 +material_print_temperature_layer_0 = 275 +material_flow = 87 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +retraction_amount = 2 +retraction_speed = 25 + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 75 +bridge_skin_speed = 10 +bridge_skin_material_flow = 80 +bridge_skin_density = 100 +bridge_fan_speed = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..61e86b55b1 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_B.inst.cfg @@ -0,0 +1,53 @@ +[general] +version = 4 +name = B +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = b +weight = 1 +material = emotiontech_pla_hr_870 +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 37/50) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 33/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +support_angle = 60 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 90 +skin_material_flow = 91 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True \ No newline at end of file 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 new file mode 100644 index 0000000000..cd565a1f86 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_C.inst.cfg @@ -0,0 +1,53 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = 0 +material = emotiontech_pla_hr_870 +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 40/55) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 37/55) +speed_layer_0 = =math.ceil(speed_print * 27/55) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +support_angle = 55 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 90 +skin_material_flow = 91 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True 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 new file mode 100644 index 0000000000..7867faef95 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_D.inst.cfg @@ -0,0 +1,53 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = -1 +material = emotiontech_pla_hr_870 +variant = Standard 0.6 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.6 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.55 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.5 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 45/60) +speed_wall_0 = =math.ceil(speed_wall * 33/45) +speed_topbottom = =math.ceil(speed_print * 40/60) +speed_layer_0 = =math.ceil(speed_print * 30/60) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +support_angle = 50 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 90 +skin_material_flow = 91 +retraction_extra_prime_amount = 0.1 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True \ No newline at end of file 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 new file mode 100644 index 0000000000..b44e15532e --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_C.inst.cfg @@ -0,0 +1,65 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = 1 +material = emotiontech_copa +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 4 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 4 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 8 +cool_lift_head = True +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 93 +skin_material_flow = 94 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +retraction_hop_enabled = True +retraction_hop = 2 +retraction_speed = 35 +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 50 +bridge_skin_speed = 10 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..ae6fbc1eec --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_D.inst.cfg @@ -0,0 +1,65 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 0 +material = emotiontech_copa +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 4 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 4 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 8 +cool_lift_head = True +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 93 +skin_material_flow = 94 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +retraction_hop_enabled = True +retraction_hop = 2 +retraction_speed = 35 +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 50 +bridge_skin_speed = 10 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..799bd73a6a --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_E.inst.cfg @@ -0,0 +1,65 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = -1 +material = emotiontech_copa +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 4 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 20 +cool_fan_speed_max = 80 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 4 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 8 +cool_lift_head = True +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 93 +skin_material_flow = 94 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +retraction_hop_enabled = True +retraction_hop = 2 +retraction_speed = 35 +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 10 +bridge_wall_material_flow = 50 +bridge_skin_speed = 10 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 80 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..eb011f28f9 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_C.inst.cfg @@ -0,0 +1,60 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = 1 +material = emotiontech_pc +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 50 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 12 +cool_lift_head = True +support_angle = 60 +material_print_temperature = 280 +material_print_temperature_layer_0 = 285 +material_flow = 89 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_speed = 35 +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 12 +bridge_wall_material_flow = 50 +bridge_skin_speed = 12 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 100 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..feebe903d3 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_D.inst.cfg @@ -0,0 +1,61 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 0 +material = emotiontech_pc +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 50 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 12 +cool_lift_head = True +support_angle = 60 +material_print_temperature = 280 +material_print_temperature_layer_0 = 285 +material_flow = 89 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_speed = 35 + +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 12 +bridge_wall_material_flow = 50 +bridge_skin_speed = 12 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 100 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..0dd7341dfb --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_E.inst.cfg @@ -0,0 +1,60 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = -1 +material = emotiontech_pc +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +wall_line_count = 2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 50 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 3 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 12 +cool_lift_head = True +support_angle = 60 +material_print_temperature = 280 +material_print_temperature_layer_0 = 285 +material_flow = 89 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_speed = 35 +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True + +bridge_settings_enabled = True +bridge_wall_coast = 50 +bridge_wall_speed = 12 +bridge_wall_material_flow = 50 +bridge_skin_speed = 12 +bridge_skin_material_flow = 60 +bridge_skin_density = 80 +bridge_fan_speed = 100 +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 \ No newline at end of file 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 new file mode 100644 index 0000000000..f7dbf60c34 --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_C.inst.cfg @@ -0,0 +1,51 @@ +[general] +version = 4 +name = C +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = c +weight = 1 +material = emotiontech_pla_hr_870 +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 4 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +support_angle = 55 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 93 +skin_material_flow = 94 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +cool_lift_head = True \ No newline at end of file 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 new file mode 100644 index 0000000000..dc2055766b --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_D.inst.cfg @@ -0,0 +1,53 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 0 +material = emotiontech_pla_hr_870 +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 4 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +support_angle = 50 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 93 +skin_material_flow = 94 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True \ No newline at end of file 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 new file mode 100644 index 0000000000..0da03265ba --- /dev/null +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_E.inst.cfg @@ -0,0 +1,53 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = -1 +material = emotiontech_pla_hr_870 +variant = Standard 0.8 + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.8 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.75 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 4 +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_min_speed = 2 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_initial_print_temperature = =default_material_print_temperature +material_final_print_temperature = =default_material_print_temperature +material_flow = 93 +skin_material_flow = 94 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height*2 +support_bottom_distance = =support_z_distance*0.5 +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True +meshfix_maximum_resolution = 0.5 +meshfix_maximum_deviation = 0.04 +cool_lift_head = True 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 new file mode 100644 index 0000000000..04ffd8704f --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_D.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_abs +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 37/45) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 35 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 50 +material_print_temperature = =default_material_print_temperature + 3 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 2 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..3d0d0119e4 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_E.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_abs +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 37/45) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 35 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 97 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 2 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..3580b44463 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_abs +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 37/45) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 35 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 10 +material_print_temperature_layer_0 = =default_material_print_temperature +5 +material_flow = 97 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 2 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..1b4ac80d25 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_D.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_asax +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 37/45) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 40 +cool_fan_speed_max = 75 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 50 +material_print_temperature = =default_material_print_temperature + 1 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 100 +retraction_extra_prime_amount = 0.4 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 1.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..66681d72f3 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_E.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_asax +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 37/45) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 40 +cool_fan_speed_max = 75 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 3 +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_flow = 100 +retraction_extra_prime_amount = 0.4 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 1.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..d8c13fcce4 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_asax +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 37/45) +speed_wall_0 = =math.ceil(speed_wall * 30/37) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 40 +cool_fan_speed_max = 75 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 7 +material_flow = 100 +retraction_extra_prime_amount = 0.4 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 1.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..c6e892373c --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_D.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_bvoh +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 25/30) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..c488b29b55 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_E.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_bvoh +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 25/30) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..9980fe7549 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_bvoh +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 25/30) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..e13d6ed6c7 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_D.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_hips +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..f2dff03761 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_E.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_hips +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature + 3 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..f7226627f3 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_hips +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..829caf50c9 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_D.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_petg +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 40/45) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 70 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 50 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 95 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..c0652c1936 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_E.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_petg +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 40/45) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 70 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 95 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..2ddee7ee37 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_petg +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 40/45) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/45) +speed_layer_0 = =math.ceil(speed_print * 25/45) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 70 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 10 +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_flow = 95 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..680f4bf01d --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_D.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_pla +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 50 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..ab56ff0e3f --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_E.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_pla +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 100 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..f84a929c67 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_pla +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.95 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 50 +speed_wall = =math.ceil(speed_print * 40/50) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 35/50) +speed_layer_0 = =math.ceil(speed_print * 25/50) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 10 +material_print_temperature_layer_0 = =default_material_print_temperature +5 +material_flow = 100 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..770bc7c2ee --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_D.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_pva-m +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..f4e5e23303 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_E.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_pva-m +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..8f53cb2297 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_pva-m +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..5d77c5dd50 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_D.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_pva-s +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..2405bf9082 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_E.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_pva-s +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..4c7540b3f2 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_pva-s +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.0 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 47 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 97 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..52861f1b34 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_D.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = D +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = d +weight = 1 +material = emotiontech_tpu98a +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/35) +speed_wall_0 = =math.ceil(speed_wall * 27/35) +speed_topbottom = =math.ceil(speed_print * 23/35) +speed_layer_0 = =math.ceil(speed_print * 20/35) +speed_slowdown_layers = 1 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 50 +material_print_temperature = =default_material_print_temperature + 2 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 107 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = False +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 2.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 0.7 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..6089e4f4ea --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_E.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = E +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = e +weight = 0 +material = emotiontech_tpu98a +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/35) +speed_wall_0 = =math.ceil(speed_wall * 27/35) +speed_topbottom = =math.ceil(speed_print * 23/35) +speed_layer_0 = =math.ceil(speed_print * 20/35) +speed_slowdown_layers = 1 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 50 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 107 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = False +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 2.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 0.7 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..4cbb73f2a7 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = -1 +material = emotiontech_tpu98a +variant = Standard 1.0 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*0.9 +wall_0_wipe_dist = =machine_nozzle_size +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/35) +speed_wall_0 = =math.ceil(speed_wall * 27/35) +speed_topbottom = =math.ceil(speed_print * 23/35) +speed_layer_0 = =math.ceil(speed_print * 20/35) +speed_slowdown_layers = 1 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 50 +material_print_temperature = =default_material_print_temperature + 8 +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_flow = 107 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = False +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 2.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 0.7 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..7eaa8d8ea5 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_abs +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_print * 25/40) +speed_topbottom = =math.ceil(speed_print * 35/40) +speed_layer_0 = =math.ceil(speed_print * 25/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 35 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 3 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 103 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 2 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..7577ac41c6 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_G.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_abs +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 37 +speed_wall = =math.ceil(speed_print * 30/37) +speed_wall_0 = =math.ceil(speed_print * 25/37) +speed_topbottom = =math.ceil(speed_print * 33/37) +speed_layer_0 = =math.ceil(speed_print * 25/37) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 35 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 102 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 2 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..75c112a68d --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_H.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_abs +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 27/35) +speed_wall_0 = =math.ceil(speed_print * 23/35) +speed_topbottom = =math.ceil(speed_print * 30/35) +speed_layer_0 = =math.ceil(speed_print * 25/35) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 35 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 10 +material_print_temperature_layer_0 = =default_material_print_temperature +5 +material_flow = 101 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 2 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..eaaec2a630 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_asax +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_print * 25/40) +speed_topbottom = =math.ceil(speed_print * 35/40) +speed_layer_0 = =math.ceil(speed_print * 25/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 40 +cool_fan_speed_max = 75 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 1 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 100 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 1.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..5fb30caf70 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_G.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_asax +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 37 +speed_wall = =math.ceil(speed_print * 30/37) +speed_wall_0 = =math.ceil(speed_print * 25/37) +speed_topbottom = =math.ceil(speed_print * 33/37) +speed_layer_0 = =math.ceil(speed_print * 25/37) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 40 +cool_fan_speed_max = 75 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 3 +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_flow = 100 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 1.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..635246c4ff --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_H.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_asax +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 27/35) +speed_wall_0 = =math.ceil(speed_print * 23/35) +speed_topbottom = =math.ceil(speed_print * 30/35) +speed_layer_0 = =math.ceil(speed_print * 25/35) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 40 +cool_fan_speed_max = 75 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 7 +material_flow = 100 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =layer_height +support_xy_distance = =line_width * 1.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..5d023ff90d --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_bvoh +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 25/30) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..1b1f315b51 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_G.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_bvoh +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 25/30) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..c5bca514ec --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_H.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_bvoh +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 25/30) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..91056b5269 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_hips +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 103 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..f39cf2850b --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_G.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_hips +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 3 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 102 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..4b62476460 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_H.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_hips +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 101 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..d402825375 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_petg +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_print * 25/40) +speed_topbottom = =math.ceil(speed_print * 35/40) +speed_layer_0 = =math.ceil(speed_print * 25/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 70 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..8815ce129c --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_G.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_petg +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 37 +speed_wall = =math.ceil(speed_print * 30/37) +speed_wall_0 = =math.ceil(speed_print * 25/37) +speed_topbottom = =math.ceil(speed_print * 33/37) +speed_layer_0 = =math.ceil(speed_print * 25/37) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 70 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..e2295e9f42 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_H.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_petg +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 27/35) +speed_wall_0 = =math.ceil(speed_print * 23/35) +speed_topbottom = =math.ceil(speed_print * 30/35) +speed_layer_0 = =math.ceil(speed_print * 25/35) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 70 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 10 +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_flow = 95 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..046b7e68b6 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_pla +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_print * 25/40) +speed_topbottom = =math.ceil(speed_print * 35/40) +speed_layer_0 = =math.ceil(speed_print * 25/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 107 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..0833e188c4 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_G.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_pla +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 37 +speed_wall = =math.ceil(speed_print * 30/37) +speed_wall_0 = =math.ceil(speed_print * 25/37) +speed_topbottom = =math.ceil(speed_print * 33/37) +speed_layer_0 = =math.ceil(speed_print * 25/37) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 105 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = True +skin_overlap = 5 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..c5a2871bd0 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_H.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_pla +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.15 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 35 +speed_wall = =math.ceil(speed_print * 27/35) +speed_wall_0 = =math.ceil(speed_print * 23/35) +speed_topbottom = =math.ceil(speed_print * 30/35) +speed_layer_0 = =math.ceil(speed_print * 25/35) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 100 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 3 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 10 +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_flow = 103 +retraction_extra_prime_amount = 0.5 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 15 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 1.7 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..24d1f4daad --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_pva-m +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 37 +speed_wall = =math.ceil(speed_print * 30/37) +speed_wall_0 = =math.ceil(speed_print * 25/37) +speed_topbottom = =math.ceil(speed_print * 33/37) +speed_layer_0 = =math.ceil(speed_print * 25/37) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..317b454525 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_G.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_pva-m +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..0715bce9a6 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_H.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_pva-m +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..8c4af9d99b --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_F.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_pva-s +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..c6f1241a96 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_G.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_pva-s +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..80564515c5 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_H.inst.cfg @@ -0,0 +1,50 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_pva-s +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.2 +wall_0_wipe_dist = =machine_nozzle_size/2 +speed_print = 40 +speed_wall = =math.ceil(speed_print * 30/40) +speed_wall_0 = =math.ceil(speed_wall * 30/40) +speed_topbottom = =math.ceil(speed_print * 20/40) +speed_layer_0 = =math.ceil(speed_print * 20/40) +speed_slowdown_layers = 2 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 100 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =3*line_width +retraction_hop_only_when_collides = True +skin_overlap = 10 +support_bottom_stair_step_height = 0 +support_bottom_stair_step_width = 0 +support_z_distance = =layer_height-layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 0.5 +support_xy_distance_overhang = =line_width*0 +support_offset = 3 +support_pattern = grid +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..87e129e9d2 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_F.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = F +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = f +weight = 1 +material = emotiontech_tpu98a +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.5*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/35) +speed_wall_0 = =math.ceil(speed_wall * 27/35) +speed_topbottom = =math.ceil(speed_print * 23/35) +speed_layer_0 = =math.ceil(speed_print * 20/35) +speed_slowdown_layers = 1 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 2 +material_print_temperature_layer_0 = =default_material_print_temperature +material_flow = 111 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = False +skin_overlap = 10 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 2.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..7b2222dae0 --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_G.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = G +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = g +weight = 0 +material = emotiontech_tpu98a +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.67*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/35) +speed_wall_0 = =math.ceil(speed_wall * 27/35) +speed_topbottom = =math.ceil(speed_print * 23/35) +speed_layer_0 = =math.ceil(speed_print * 20/35) +speed_slowdown_layers = 1 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 5 +material_print_temperature_layer_0 = =default_material_print_temperature + 3 +material_flow = 111 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = False +skin_overlap = 10 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 2.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True 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 new file mode 100644 index 0000000000..0165093f5c --- /dev/null +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_H.inst.cfg @@ -0,0 +1,47 @@ +[general] +version = 4 +name = H +definition = strateo3d + +[metadata] +setting_version = 18 +type = quality +quality_type = h +weight = -1 +material = emotiontech_tpu98a +variant = Standard 1.2 Experimental + +[values] +layer_height_0 = =round(0.75*machine_nozzle_size, 2) +line_width = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_line_width = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_line_width_x = =machine_nozzle_size/machine_nozzle_size*1.1 +wall_0_wipe_dist = =machine_nozzle_size +speed_print = 35 +speed_wall = =math.ceil(speed_print * 35/35) +speed_wall_0 = =math.ceil(speed_wall * 27/35) +speed_topbottom = =math.ceil(speed_print * 23/35) +speed_layer_0 = =math.ceil(speed_print * 20/35) +speed_slowdown_layers = 1 +cool_fan_enabled = True +cool_fan_speed = 50 +cool_fan_speed_max = 100 +cool_min_layer_time_fan_speed_max = 20 +cool_min_layer_time = 11 +cool_fan_full_at_height = =layer_height_0 + 6 * layer_height +cool_min_speed = 10 +support_angle = 45 +material_print_temperature = =default_material_print_temperature + 8 +material_print_temperature_layer_0 = =default_material_print_temperature + 5 +material_flow = 111 +retraction_extra_prime_amount = 0.3 +retraction_min_travel = =2*line_width +retraction_hop_only_when_collides = False +skin_overlap = 10 +support_z_distance = =layer_height +support_bottom_distance = =support_z_distance +support_xy_distance = =line_width * 2.5 +support_xy_distance_overhang = =wall_line_width_0 +support_offset = 1 +support_interface_density = 100 +prime_tower_enable = True diff --git a/resources/quality/trimaker_cosmosII/trimaker_cosmosII_fast.inst.cfg b/resources/quality/trimaker_cosmosII/trimaker_cosmosII_fast.inst.cfg index 76b2004487..2764f57589 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 = 16 +setting_version = 18 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 9c6d8a1426..85b7222199 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 = 16 +setting_version = 18 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 c1074f44a6..703eaf967b 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 = 16 +setting_version = 18 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 9ea35c1ffc..8d62f9346b 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 = 16 +setting_version = 18 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 05bb132f0e..76bea0cacf 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 = 16 +setting_version = 18 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 cee4fd8360..2ac64fa4a2 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 = 16 +setting_version = 18 type = quality quality_type = slow weight = -1 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 new file mode 100644 index 0000000000..42e9764e5e --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.2_ABS_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_abs +variant = 0.2mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..bacb107fa7 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.2_ABS_ultra.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Ultra Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = ultra +material = generic_abs +variant = 0.2mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..844054a145 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_abs +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..07b642df16 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_abs +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.4 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..06c904b19a --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_abs +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.3 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..7005759366 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_abs +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..887e94cc24 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_abs +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..f9baa70fb1 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_abs +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.4 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..5fbb97005d --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_abs +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.3 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..a22334f605 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_abs +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..49635a548e --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_abs +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..16248d67c0 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_abs +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..e7a61c638c --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_abs +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.3 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..16aecfa354 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_abs +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..cec0042c7e --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.6_ABS_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_abs +variant = 0.6mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.3 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..f201f2014f --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_0.8_ABS_draft.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_abs +variant = 0.8mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..4a1c8ac747 --- /dev/null +++ b/resources/quality/twotrees/abs/two_trees_1.0_ABS_draft.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_abs +variant = 1.0mm Nozzle + +[values] +material_bed_temperature = 100 +material_print_temperature_layer_0 = 245 +material_print_temperature = 240 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = False +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..79496178b2 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.2_PETG_super.inst.cfg @@ -0,0 +1,23 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_petg +variant = 0.2mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True + 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 new file mode 100644 index 0000000000..434e0979b0 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.2_PETG_ultra.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Ultra Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = ultra +material = generic_petg +variant = 0.2mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..6512d2802e --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_petg +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..015ebc7d74 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_petg +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..4111ffa552 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_petg +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..bf043dc26e --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_petg +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..42a4f71815 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_adaptive.inst.cfg @@ -0,0 +1,23 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_petg +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..1e88fd5f81 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_low.inst.cfg @@ -0,0 +1,23 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_petg +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..6da25cec70 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_standard.inst.cfg @@ -0,0 +1,23 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_petg +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..21e7094141 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_super.inst.cfg @@ -0,0 +1,23 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_petg +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +#retraction_extra_prime_amount = 0.5 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 new file mode 100644 index 0000000000..e6bb00b724 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_petg +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..ffffc21cfe --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_petg +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..b4a2e62c37 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_petg +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..1b21ea2b41 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_petg +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..9dee1a8da5 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.6_PETG_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_petg +variant = 0.6mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..b0a7955232 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_0.8_PETG_draft.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_petg +variant = 0.8mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..275457e8c4 --- /dev/null +++ b/resources/quality/twotrees/petg/two_trees_1.0_PETG_draft.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_petg +variant = 1.0mm Nozzle + +[values] +material_bed_temperature = 80 +material_print_temperature_layer_0 = 225 +material_print_temperature = 220 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True 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 new file mode 100644 index 0000000000..3c8250829d --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.2_PLA_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_pla +variant = 0.2mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..661b7fa964 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.2_PLA_ultra.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Ultra Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = ultra +material = generic_pla +variant = 0.2mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..8d4961e08b --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_pla +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..9b07bcf5f2 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_pla +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..fa341375fb --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_pla +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..01f0717a57 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_pla +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..3655c1bd97 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_pla +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..10ea1f2aa9 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_pla +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..28f9fd76a0 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_pla +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..7fadc2e2cb --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_pla +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..672c5b29cb --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_adaptive.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_pla +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..27d536e55d --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_pla +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..bfbbf8a64a --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_pla +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..19761a87bc --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_super.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_pla +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..271048f38f --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.6_PLA_draft.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_pla +variant = 0.6mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..f8400e014b --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.6_PLA_low.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +material = generic_pla +variant = 0.6mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..3eebd74948 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.6_PLA_standard.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_pla +variant = 0.6mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..889f61e135 --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_0.8_PLA_draft.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_pla +variant = 0.8mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..b36963f39e --- /dev/null +++ b/resources/quality/twotrees/pla/two_trees_1.0_PLA_draft.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_pla +variant = 1.0mm Nozzle + +[values] +material_bed_temperature = 60 +material_print_temperature_layer_0 = 195 +material_print_temperature = 190 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True \ No newline at end of file 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 new file mode 100644 index 0000000000..979af1d817 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_adaptive.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_tpu +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..43c35c0a4b --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_standard.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_tpu +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..5061af5397 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_super.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_tpu +variant = 0.3mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..50c9635b1e --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_adaptive.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_tpu +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..9036edeacd --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_standard.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_tpu +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..d0bc6da6cf --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_super.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_tpu +variant = 0.4mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..bda73b39a0 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_adaptive.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +material = generic_tpu +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..df7e69f049 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_standard.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_tpu +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..f4eb653600 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_super.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +material = generic_tpu +variant = 0.5mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.2 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..5382068b01 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.6_TPU_standard.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +material = generic_tpu +variant = 0.6mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.3 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..7f8e2683f9 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_0.8_TPU_draft.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_tpu +variant = 0.8mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file 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 new file mode 100644 index 0000000000..3084c6d1b2 --- /dev/null +++ b/resources/quality/twotrees/tpu/two_trees_1.0_TPU_draft.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +material = generic_tpu +variant = 1.0mm Nozzle + +[values] +material_bed_temperature = 0 +material_print_temperature_layer_0 = 210 +material_print_temperature = 210 +material_standby_temperature = =material_print_temperature +material_initial_print_temperature= =material_print_temperature +material_final_print_temperature= =material_print_temperature +cool_fan_enabled = True +retraction_hop = 0.4 +retraction_hop_only_when_collides = True +speed_print = 20 +retraction_speed = 40 +retraction_amount = 7 \ No newline at end of file diff --git a/resources/quality/twotrees/two_trees_global_adaptive.inst.cfg b/resources/quality/twotrees/two_trees_global_adaptive.inst.cfg new file mode 100644 index 0000000000..6bdd47a2af --- /dev/null +++ b/resources/quality/twotrees/two_trees_global_adaptive.inst.cfg @@ -0,0 +1,19 @@ +[general] +version = 4 +name = Dynamic Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = adaptive +weight = -2 +global_quality = True + +[values] +layer_height = 0.16 +layer_height_0 = 0.2 +top_bottom_thickness = =layer_height_0+layer_height*4 +wall_thickness = =line_width*3 +support_interface_height = =layer_height*6 +adaptive_layer_height_enabled = true diff --git a/resources/quality/twotrees/two_trees_global_draft.inst.cfg b/resources/quality/twotrees/two_trees_global_draft.inst.cfg new file mode 100644 index 0000000000..2d3f575d84 --- /dev/null +++ b/resources/quality/twotrees/two_trees_global_draft.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Draft Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -5 +global_quality = True + +[values] +layer_height = 0.32 +layer_height_0 = 0.32 +top_bottom_thickness = =layer_height_0+layer_height*3 +wall_thickness = =line_width*2 +support_interface_height = =layer_height*4 diff --git a/resources/quality/twotrees/two_trees_global_low.inst.cfg b/resources/quality/twotrees/two_trees_global_low.inst.cfg new file mode 100644 index 0000000000..4b14a6c67c --- /dev/null +++ b/resources/quality/twotrees/two_trees_global_low.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Low Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = low +weight = -4 +global_quality = True + +[values] +layer_height = 0.28 +layer_height_0 = 0.28 +top_bottom_thickness = =layer_height_0+layer_height*3 +wall_thickness = =line_width*2 +support_interface_height = =layer_height*4 diff --git a/resources/quality/twotrees/two_trees_global_standard.inst.cfg b/resources/quality/twotrees/two_trees_global_standard.inst.cfg new file mode 100644 index 0000000000..b53fdd7330 --- /dev/null +++ b/resources/quality/twotrees/two_trees_global_standard.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Standard Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = standard +weight = -3 +global_quality = True + +[values] +layer_height = 0.2 +layer_height_0 = 0.2 +top_bottom_thickness = =layer_height_0+layer_height*3 +wall_thickness = =line_width*3 +support_interface_height = =layer_height*4 diff --git a/resources/quality/twotrees/two_trees_global_super.inst.cfg b/resources/quality/twotrees/two_trees_global_super.inst.cfg new file mode 100644 index 0000000000..605322b3a0 --- /dev/null +++ b/resources/quality/twotrees/two_trees_global_super.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Super Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = super +weight = -1 +global_quality = True + +[values] +layer_height = 0.12 +layer_height_0 = 0.2 +top_bottom_thickness = =layer_height_0+layer_height*6 +wall_thickness = =line_width*3 +support_interface_height = =layer_height*8 diff --git a/resources/quality/twotrees/two_trees_global_ultra.inst.cfg b/resources/quality/twotrees/two_trees_global_ultra.inst.cfg new file mode 100644 index 0000000000..5960c80aac --- /dev/null +++ b/resources/quality/twotrees/two_trees_global_ultra.inst.cfg @@ -0,0 +1,18 @@ +[general] +version = 4 +name = Ultra Quality +definition = two_trees_base + +[metadata] +setting_version = 18 +type = quality +quality_type = ultra +weight = 0 +global_quality = True + +[values] +layer_height = 0.08 +layer_height_0 = 0.12 +top_bottom_thickness = =layer_height_0+layer_height*10 +wall_thickness = =line_width*3 +support_interface_height = =layer_height*12 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 new file mode 100644 index 0000000000..e6f552abf0 --- /dev/null +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.25_normal.inst.cfg @@ -0,0 +1,24 @@ +[general] +version = 4 +name = Extra Fine +definition = ultimaker2_plus_connect + +[metadata] +setting_version = 18 +type = quality +quality_type = high +weight = 1 +material = generic_petg +variant = 0.25 mm + +[values] +cool_fan_speed_min = =cool_fan_speed * 0.2 +cool_min_layer_time = 2 +cool_min_layer_time_fan_speed_max = 25 +cool_min_speed = 15 +infill_sparse_density = 20 +speed_layer_0 = 30 +speed_print = 30 +top_bottom_thickness = 0.72 +wall_thickness = 0.88 +retraction_combing_max_distance = 50 \ No newline at end of file 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 new file mode 100644 index 0000000000..d2f70e7731 --- /dev/null +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_draft.inst.cfg @@ -0,0 +1,30 @@ +[general] +version = 4 +name = Fast +definition = ultimaker2_plus_connect + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_petg +variant = 0.4 mm + +[values] +cool_fan_speed_min = =cool_fan_speed * 0.8 +cool_min_layer_time = 3 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 10 +infill_sparse_density = 20 +speed_layer_0 = 30 +speed_print = 45 +speed_travel = 150 +speed_wall = =math.ceil(speed_print * 40 / 45) +top_bottom_thickness = 0.75 +wall_thickness = 0.7 +speed_wall_0 = =math.ceil(speed_print * 30 / 45) +speed_topbottom = =math.ceil(speed_print * 30 / 45) +speed_wall_x = =math.ceil(speed_print * 40 / 45) +speed_infill = =math.ceil(speed_print * 45 / 45) +retraction_combing_max_distance = 50 \ No newline at end of file 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 new file mode 100644 index 0000000000..908d668459 --- /dev/null +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_fast.inst.cfg @@ -0,0 +1,30 @@ +[general] +version = 4 +name = Normal +definition = ultimaker2_plus_connect + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -1 +material = generic_petg +variant = 0.4 mm + +[values] +cool_fan_speed_min = =cool_fan_speed * 0.8 +cool_min_layer_time = 3 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 10 +infill_sparse_density = 20 +speed_layer_0 = 30 +speed_print = 45 +speed_travel = 150 +speed_wall = =math.ceil(speed_print * 40 / 45) +top_bottom_thickness = 0.75 +wall_thickness = 0.7 +speed_wall_0 = =math.ceil(speed_print * 30 / 45) +speed_topbottom = =math.ceil(speed_print * 30 / 45) +speed_wall_x = =math.ceil(speed_print * 40 / 45) +speed_infill = =math.ceil(speed_print * 45 / 45) +retraction_combing_max_distance = 50 \ No newline at end of file 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 new file mode 100644 index 0000000000..1231f7d5a5 --- /dev/null +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_normal.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Fine +definition = ultimaker2_plus_connect + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +material = generic_petg +variant = 0.4 mm + +[values] +cool_fan_speed_min = =cool_fan_speed * 0.8 +cool_min_layer_time = 3 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 10 +infill_sparse_density = 20 +speed_layer_0 = 30 +speed_print = 45 +speed_wall = =math.ceil(speed_print * 30 / 45) +top_bottom_thickness = 0.8 +wall_thickness = 1.05 +retraction_combing_max_distance = 50 \ No newline at end of file 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 new file mode 100644 index 0000000000..0fb1d4a224 --- /dev/null +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.6_normal.inst.cfg @@ -0,0 +1,24 @@ +[general] +version = 4 +name = Fine +definition = ultimaker2_plus_connect + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = 0 +material = generic_petg +variant = 0.6 mm + +[values] +cool_fan_speed_min = =cool_fan_speed * 0.8 +cool_min_layer_time = 5 +cool_min_layer_time_fan_speed_max = 20 +cool_min_speed = 8 +infill_sparse_density = 20 +speed_layer_0 = 30 +speed_print = 40 +top_bottom_thickness = 1.2 +wall_thickness = 1.59 +retraction_combing_max_distance = 50 \ No newline at end of file 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 new file mode 100644 index 0000000000..023f2f602d --- /dev/null +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.8_normal.inst.cfg @@ -0,0 +1,24 @@ +[general] +version = 4 +name = Normal +definition = ultimaker2_plus_connect + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -1 +material = generic_petg +variant = 0.8 mm + +[values] +cool_fan_speed_min = =cool_fan_speed * 0.8 +cool_min_layer_time = 3 +cool_min_layer_time_fan_speed_max = 25 +cool_min_speed = 8 +infill_sparse_density = 20 +speed_layer_0 = 30 +speed_print = 40 +top_bottom_thickness = 1.2 +wall_thickness = 2.1 +retraction_combing_max_distance = 50 \ No newline at end of file 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 new file mode 100644 index 0000000000..0c23b841ef --- /dev/null +++ b/resources/quality/ultimaker3/um3_aa0.25_PETG_Normal_Quality.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Fine +definition = ultimaker3 + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +material = generic_petg +variant = AA 0.25 + +[values] +retraction_extrusion_window = 0.5 +speed_infill = =math.ceil(speed_print * 40 / 55) +speed_topbottom = =math.ceil(speed_print * 30 / 55) +top_bottom_thickness = 0.8 +wall_thickness = 0.92 +material_print_temperature = =default_material_print_temperature - 5 +retraction_combing_max_distance = 40 +retraction_combing = all 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 new file mode 100644 index 0000000000..a62655f77e --- /dev/null +++ b/resources/quality/ultimaker3/um3_aa0.4_PETG_Draft_Print.inst.cfg @@ -0,0 +1,27 @@ +[general] +version = 4 +name = Fast +definition = ultimaker3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_petg +variant = AA 0.4 + +[values] +material_print_temperature = =default_material_print_temperature + 5 +material_initial_print_temperature = =material_print_temperature +material_final_print_temperature = =material_print_temperature - 5 +material_standby_temperature = 100 +skin_overlap = 20 +speed_print = 60 +speed_layer_0 = =math.ceil(speed_print * 20 / 60) +speed_topbottom = =math.ceil(speed_print * 35 / 60) +speed_wall = =math.ceil(speed_print * 45 / 60) +speed_wall_0 = =math.ceil(speed_wall * 35 / 45) +wall_thickness = 1 +retraction_combing_max_distance = 40 +retraction_combing = all 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 new file mode 100644 index 0000000000..e9a3def2f1 --- /dev/null +++ b/resources/quality/ultimaker3/um3_aa0.4_PETG_Fast_Print.inst.cfg @@ -0,0 +1,27 @@ +[general] +version = 4 +name = Normal +definition = ultimaker3 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -1 +material = generic_petg +variant = AA 0.4 + +[values] +cool_min_speed = 7 +material_print_temperature = =default_material_print_temperature +material_initial_print_temperature = =material_print_temperature - 5 +material_final_print_temperature = =material_print_temperature - 10 +material_standby_temperature = 100 +speed_print = 60 +speed_layer_0 = =math.ceil(speed_print * 20 / 60) +speed_topbottom = =math.ceil(speed_print * 30 / 60) +speed_wall = =math.ceil(speed_print * 40 / 60) +speed_wall_0 = =math.ceil(speed_wall * 30 / 40) +speed_infill = =math.ceil(speed_print * 50 / 60) +retraction_combing_max_distance = 40 +retraction_combing = all 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 new file mode 100644 index 0000000000..a30ec9d878 --- /dev/null +++ b/resources/quality/ultimaker3/um3_aa0.4_PETG_Normal_Quality.inst.cfg @@ -0,0 +1,27 @@ +[general] +version = 4 +name = Fine +definition = ultimaker3 + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +material = generic_petg +variant = AA 0.4 + +[values] +machine_nozzle_cool_down_speed = 0.85 +machine_nozzle_heat_up_speed = 1.5 +material_print_temperature = =default_material_print_temperature - 5 +material_initial_print_temperature = =material_print_temperature - 10 +material_final_print_temperature = =material_print_temperature - 15 +material_standby_temperature = 100 +speed_print = 55 +speed_layer_0 = =math.ceil(speed_print * 20 / 55) +speed_topbottom = =math.ceil(speed_print * 30 / 55) +speed_wall = =math.ceil(speed_print * 30 / 55) +speed_infill = =math.ceil(speed_print * 45 / 55) +retraction_combing_max_distance = 40 +retraction_combing = all 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 new file mode 100644 index 0000000000..cc4f6adc43 --- /dev/null +++ b/resources/quality/ultimaker3/um3_aa0.8_PETG_Draft_Print.inst.cfg @@ -0,0 +1,24 @@ +[general] +version = 4 +name = Fast +definition = ultimaker3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +speed_print = 40 +speed_topbottom = =math.ceil(speed_print * 25 / 40) +speed_wall = =math.ceil(speed_print * 30 / 40) +retraction_combing_max_distance = 40 +retraction_combing = all 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 new file mode 100644 index 0000000000..9b7bf4c107 --- /dev/null +++ b/resources/quality/ultimaker3/um3_aa0.8_PETG_Superdraft_Print.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Sprint +definition = ultimaker3 + +[metadata] +setting_version = 18 +type = quality +quality_type = superdraft +weight = -4 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +layer_height = 0.4 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +speed_print = 45 +speed_topbottom = =math.ceil(speed_print * 30 / 45) +speed_wall = =math.ceil(speed_print * 40 / 45) +speed_wall_0 = =math.ceil(speed_wall * 30 / 40) +retraction_combing_max_distance = 40 +retraction_combing = all 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 new file mode 100644 index 0000000000..238d3c2295 --- /dev/null +++ b/resources/quality/ultimaker3/um3_aa0.8_PETG_Verydraft_Print.inst.cfg @@ -0,0 +1,25 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker3 + +[metadata] +setting_version = 18 +type = quality +quality_type = verydraft +weight = -3 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +layer_height = 0.3 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +speed_print = 40 +speed_topbottom = =math.ceil(speed_print * 25 / 40) +speed_wall = =math.ceil(speed_print * 30 / 40) +retraction_combing_max_distance = 40 +retraction_combing = all 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 new file mode 100644 index 0000000000..b60bc7b4bf --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_PETG_Normal_Quality.inst.cfg @@ -0,0 +1,23 @@ +[general] +version = 4 +name = Fine +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +material = generic_petg +variant = AA 0.25 + +[values] +retraction_combing_max_distance = 50 +retraction_extrusion_window = 0.5 +speed_infill = =math.ceil(speed_print * 40 / 55) +speed_topbottom = =math.ceil(speed_print * 30 / 55) +top_bottom_thickness = 0.8 +wall_thickness = 0.92 +initial_layer_line_width_factor = 100 +infill_before_walls = true +material_print_temperature = =default_material_print_temperature - 5 \ No newline at end of file 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 new file mode 100644 index 0000000000..ad0b66c730 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Draft_Print.inst.cfg @@ -0,0 +1,30 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_petg +variant = AA 0.4 + +[values] +material_print_temperature = =default_material_print_temperature + 5 +material_initial_print_temperature = =material_print_temperature +material_final_print_temperature = =material_print_temperature - 5 +retraction_combing_max_distance = 50 +skin_overlap = 20 +speed_print = 60 +speed_layer_0 = =math.ceil(speed_print * 20 / 60) +speed_topbottom = =math.ceil(speed_print * 35 / 60) +speed_wall = =math.ceil(speed_print * 45 / 60) +speed_wall_0 = =math.ceil(speed_wall * 35 / 45) +wall_thickness = 1 + + +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 50 / 60) +initial_layer_line_width_factor = 100 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 new file mode 100644 index 0000000000..ea31e718e9 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print.inst.cfg @@ -0,0 +1,28 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -1 +material = generic_petg +variant = AA 0.4 + +[values] +cool_min_speed = 7 +material_print_temperature = =default_material_print_temperature +material_initial_print_temperature = =material_print_temperature - 5 +material_final_print_temperature = =material_print_temperature - 10 +retraction_combing_max_distance = 50 +speed_print = 60 +speed_layer_0 = =math.ceil(speed_print * 20 / 60) +speed_topbottom = =math.ceil(speed_print * 30 / 60) +speed_wall = =math.ceil(speed_print * 40 / 60) +speed_wall_0 = =math.ceil(speed_wall * 30 / 40) + +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 50 / 60) +initial_layer_line_width_factor = 100 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 new file mode 100644 index 0000000000..7ac93b8176 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_High_Quality.inst.cfg @@ -0,0 +1,29 @@ +[general] +version = 4 +name = Extra Fine +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = high +weight = 1 +material = generic_petg +variant = AA 0.4 + +[values] +cool_min_speed = 12 +machine_nozzle_cool_down_speed = 0.85 +machine_nozzle_heat_up_speed = 1.5 +material_print_temperature = =default_material_print_temperature - 10 +material_initial_print_temperature = =material_print_temperature - 10 +material_final_print_temperature = =material_print_temperature - 15 +retraction_combing_max_distance = 50 +speed_print = 50 +speed_layer_0 = =math.ceil(speed_print * 20 / 50) +speed_topbottom = =math.ceil(speed_print * 30 / 50) +speed_wall = =math.ceil(speed_print * 30 / 50) + +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 40 / 50) +initial_layer_line_width_factor = 100 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 new file mode 100644 index 0000000000..6a16910130 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality.inst.cfg @@ -0,0 +1,28 @@ +[general] +version = 4 +name = Fine +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +material = generic_petg +variant = AA 0.4 + +[values] +machine_nozzle_cool_down_speed = 0.85 +machine_nozzle_heat_up_speed = 1.5 +material_print_temperature = =default_material_print_temperature - 5 +material_initial_print_temperature = =material_print_temperature - 10 +material_final_print_temperature = =material_print_temperature - 15 +retraction_combing_max_distance = 50 +speed_print = 55 +speed_layer_0 = =math.ceil(speed_print * 20 / 55) +speed_topbottom = =math.ceil(speed_print * 30 / 55) +speed_wall = =math.ceil(speed_print * 30 / 55) + +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 45 / 55) +initial_layer_line_width_factor = 100 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 new file mode 100644 index 0000000000..66053bbf47 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Draft_Print.inst.cfg @@ -0,0 +1,27 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +retraction_combing_max_distance = 50 +speed_print = 40 +speed_topbottom = =math.ceil(speed_print * 25 / 40) +speed_wall = =math.ceil(speed_print * 30 / 40) +jerk_travel = 50 +cool_fan_speed = 20 +initial_layer_line_width_factor = 100 +infill_before_walls = true \ No newline at end of file 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 new file mode 100644 index 0000000000..d5fec5627a --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Superdraft_Print.inst.cfg @@ -0,0 +1,28 @@ +[general] +version = 4 +name = Sprint +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = superdraft +weight = -4 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +retraction_combing_max_distance = 50 +speed_print = 45 +speed_topbottom = =math.ceil(speed_print * 30 / 45) +speed_wall = =math.ceil(speed_print * 40 / 45) +speed_wall_0 = =math.ceil(speed_wall * 30 / 40) +jerk_travel = 50 +cool_fan_speed = 20 +initial_layer_line_width_factor = 100 +infill_before_walls = true \ No newline at end of file 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 new file mode 100644 index 0000000000..0725baf5ac --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Verydraft_Print.inst.cfg @@ -0,0 +1,28 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = verydraft +weight = -3 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +retraction_combing_max_distance = 50 +speed_print = 40 +speed_topbottom = =math.ceil(speed_print * 25 / 40) +speed_wall = =math.ceil(speed_print * 30 / 40) +jerk_travel = 50 +cool_fan_speed = 20 +layer_height_0 = 0.27 +initial_layer_line_width_factor = 100 +infill_before_walls = true 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 new file mode 100644 index 0000000000..0778af5eeb --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_cffcpe +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..0231e933f5 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_cffcpe +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..c51fab4ee3 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_cffpa +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..a6e0bd1744 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_cffpa +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..c77bdd9ebf --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_gffcpe +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..835d86ea59 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_gffcpe +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..001959a334 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_gffpa +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..7a055b6e29 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_gffpa +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..be856977a8 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Draft_Print.inst.cfg @@ -0,0 +1,43 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -3 +material = generic_pla +variant = CC 0.4 +is_experimental = True + +[values] +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =100 +cool_min_speed = 2 +gradual_infill_step_height = =3 * layer_height +infill_line_width = =round(line_width * 0.65 / 0.75, 2) +infill_pattern = triangles +line_width = =machine_nozzle_size +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_final_print_temperature = =max(-273.15, material_print_temperature - 15) +material_initial_print_temperature = =max(-273.15, material_print_temperature - 10) +material_print_temperature = =default_material_print_temperature + 10 +material_standby_temperature = 100 +prime_tower_enable = True +retract_at_layer_change = False +speed_print = 45 +speed_topbottom = =math.ceil(speed_print * 35 / 45) +speed_wall = =math.ceil(speed_print * 40 / 45) +speed_wall_x = =speed_wall +speed_wall_0 = =math.ceil(speed_wall * 35 / 40) +support_angle = 70 +support_line_width = =line_width * 0.75 +support_pattern = ='triangles' +support_xy_distance = =wall_line_width_0 * 1.5 +top_bottom_thickness = =layer_height * 4 +wall_line_width = =round(line_width * 0.75 / 0.75, 2) +wall_line_width_x = =round(wall_line_width * 0.625 / 0.75, 2) +wall_thickness = =wall_line_width_0 + wall_line_width_x 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 new file mode 100644 index 0000000000..fe6a05e98a --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Fast_Print.inst.cfg @@ -0,0 +1,43 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_pla +variant = CC 0.4 +is_experimental = True + +[values] +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =100 +cool_min_speed = 2 +gradual_infill_step_height = =3 * layer_height +infill_line_width = =round(line_width * 0.65 / 0.75, 2) +infill_pattern = triangles +line_width = =machine_nozzle_size +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_final_print_temperature = =max(-273.15, material_print_temperature - 15) +material_initial_print_temperature = =max(-273.15, material_print_temperature - 10) +material_print_temperature = =default_material_print_temperature + 10 +material_standby_temperature = 100 +prime_tower_enable = True +retract_at_layer_change = False +speed_print = 45 +speed_topbottom = =math.ceil(speed_print * 35 / 45) +speed_wall = =math.ceil(speed_print * 40 / 45) +speed_wall_x = =speed_wall +speed_wall_0 = =math.ceil(speed_wall * 35 / 40) +support_angle = 70 +support_line_width = =line_width * 0.75 +support_pattern = ='triangles' +support_xy_distance = =wall_line_width_0 * 1.5 +top_bottom_thickness = =layer_height * 4 +wall_line_width = =round(line_width * 0.75 / 0.75, 2) +wall_line_width_x = =round(wall_line_width * 0.625 / 0.75, 2) +wall_thickness = =wall_line_width_0 + wall_line_width_x 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 new file mode 100644 index 0000000000..ff5ec96a33 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_PETG_Normal_Quality.inst.cfg @@ -0,0 +1,23 @@ +[general] +version = 4 +name = Fine +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +material = generic_petg +variant = AA 0.25 + +[values] +retraction_combing_max_distance = 50 +retraction_extrusion_window = 0.5 +speed_infill = =math.ceil(speed_print * 40 / 55) +speed_topbottom = =math.ceil(speed_print * 30 / 55) +top_bottom_thickness = 0.8 +wall_thickness = 0.92 +initial_layer_line_width_factor = 100 +infill_before_walls = true +material_print_temperature = =default_material_print_temperature - 5 \ No newline at end of file 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 new file mode 100644 index 0000000000..b5c71c4aaf --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_petg +variant = AA 0.4 + +[values] +material_print_temperature = =default_material_print_temperature + 5 +material_initial_print_temperature = =material_print_temperature +material_final_print_temperature = =material_print_temperature - 5 +retraction_combing_max_distance = 50 +skin_edge_support_thickness = =0.8 if infill_sparse_density < 30 else 0 +skin_overlap = 20 +speed_print = 60 +speed_layer_0 = =math.ceil(speed_print * 20 / 60) +speed_topbottom = =math.ceil(speed_print * 35 / 60) +speed_wall = =math.ceil(speed_print * 45 / 60) +speed_wall_0 = =math.ceil(speed_wall * 35 / 45) +top_thickness = =0.8 if infill_sparse_density < 30 and skin_edge_support_thickness == 0.8 else top_bottom_thickness +wall_thickness = 1 + +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 50 / 60) +initial_layer_line_width_factor = 100 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 new file mode 100644 index 0000000000..9c73d97f54 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print.inst.cfg @@ -0,0 +1,28 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -1 +material = generic_petg +variant = AA 0.4 + +[values] +cool_min_speed = 7 +material_print_temperature = =default_material_print_temperature +material_initial_print_temperature = =material_print_temperature - 5 +material_final_print_temperature = =material_print_temperature - 10 +retraction_combing_max_distance = 50 +speed_print = 60 +speed_layer_0 = =math.ceil(speed_print * 20 / 60) +speed_topbottom = =math.ceil(speed_print * 30 / 60) +speed_wall = =math.ceil(speed_print * 40 / 60) +speed_wall_0 = =math.ceil(speed_wall * 30 / 40) + +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 50 / 60) +initial_layer_line_width_factor = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..ef33acba54 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_High_Quality.inst.cfg @@ -0,0 +1,29 @@ +[general] +version = 4 +name = Extra Fine +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = high +weight = 1 +material = generic_petg +variant = AA 0.4 + +[values] +cool_min_speed = 12 +machine_nozzle_cool_down_speed = 0.85 +machine_nozzle_heat_up_speed = 1.5 +material_print_temperature = =default_material_print_temperature - 10 +material_initial_print_temperature = =material_print_temperature - 10 +material_final_print_temperature = =material_print_temperature - 15 +retraction_combing_max_distance = 50 +speed_print = 50 +speed_layer_0 = =math.ceil(speed_print * 20 / 50) +speed_topbottom = =math.ceil(speed_print * 30 / 50) +speed_wall = =math.ceil(speed_print * 30 / 50) + +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 40 / 50) +initial_layer_line_width_factor = 100 \ No newline at end of file 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 new file mode 100644 index 0000000000..74adcf30f8 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality.inst.cfg @@ -0,0 +1,27 @@ +[general] +version = 4 +name = Fine +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = normal +weight = 0 +material = generic_petg +variant = AA 0.4 + +[values] +machine_nozzle_cool_down_speed = 0.85 +machine_nozzle_heat_up_speed = 1.5 +material_print_temperature = =default_material_print_temperature - 5 +material_initial_print_temperature = =material_print_temperature - 10 +material_final_print_temperature = =material_print_temperature - 15 +retraction_combing_max_distance = 50 +speed_print = 55 +speed_layer_0 = =math.ceil(speed_print * 20 / 55) +speed_topbottom = =math.ceil(speed_print * 30 / 55) +speed_wall = =math.ceil(speed_print * 30 / 55) +infill_pattern = triangles +speed_infill = =math.ceil(speed_print * 45 / 55) +initial_layer_line_width_factor = 100 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 new file mode 100644 index 0000000000..fcbed34316 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Draft_Print.inst.cfg @@ -0,0 +1,27 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +retraction_combing_max_distance = 50 +speed_print = 40 +speed_topbottom = =math.ceil(speed_print * 25 / 40) +speed_wall = =math.ceil(speed_print * 30 / 40) +jerk_travel = 50 +cool_fan_speed = 20 +initial_layer_line_width_factor = 100 +infill_before_walls = true \ No newline at end of file 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 new file mode 100644 index 0000000000..d9aa06475c --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Superdraft_Print.inst.cfg @@ -0,0 +1,28 @@ +[general] +version = 4 +name = Sprint +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = superdraft +weight = -4 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +retraction_combing_max_distance = 50 +speed_print = 45 +speed_topbottom = =math.ceil(speed_print * 30 / 45) +speed_wall = =math.ceil(speed_print * 40 / 45) +speed_wall_0 = =math.ceil(speed_wall * 30 / 40) +jerk_travel = 50 +cool_fan_speed = 20 +initial_layer_line_width_factor = 100 +infill_before_walls = true 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 new file mode 100644 index 0000000000..cd1a24f00c --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Verydraft_Print.inst.cfg @@ -0,0 +1,27 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = verydraft +weight = -3 +material = generic_petg +variant = AA 0.8 + +[values] +brim_width = 7 +line_width = =machine_nozzle_size * 0.875 +material_print_temperature = =default_material_print_temperature - 5 +material_standby_temperature = 100 +prime_tower_enable = True +retraction_combing_max_distance = 50 +speed_print = 40 +speed_topbottom = =math.ceil(speed_print * 25 / 40) +speed_wall = =math.ceil(speed_print * 30 / 40) +jerk_travel = 50 +cool_fan_speed = 20 +initial_layer_line_width_factor = 100 +infill_before_walls = true 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 new file mode 100644 index 0000000000..90123d5c39 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_cffcpe +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..b35838edf2 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_cffcpe +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..80bd62f36a --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_cffpa +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..5fc9661de9 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_cffpa +variant = CC 0.4 + +[values] +adhesion_type = skirt +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..1b10f01a6a --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_gffcpe +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..7aedd8dbdb --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_gffcpe +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..4d7a2ef685 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Draft_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -2 +material = generic_gffpa +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..023763dfd7 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Fast_Print.inst.cfg @@ -0,0 +1,31 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_gffpa +variant = CC 0.4 + +[values] +adhesion_type = brim +cool_fan_enabled = True +cool_min_layer_time = 7 +cool_min_layer_time_fan_speed_max = 15 +cool_min_speed = 6 +infill_line_width = =line_width +initial_layer_line_width_factor = 130.0 +line_width = =machine_nozzle_size +material_bed_temperature_layer_0 = =material_bed_temperature + 5 +material_print_temperature = =default_material_print_temperature +material_print_temperature_layer_0 = =material_print_temperature +material_standby_temperature = 100 +skin_overlap = 20 +support_bottom_distance = =support_z_distance / 2 +support_top_distance = =support_z_distance +support_z_distance = =layer_height * 2 +wall_line_width_x = =line_width 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 new file mode 100644 index 0000000000..3fb92b6f8b --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Draft_Print.inst.cfg @@ -0,0 +1,43 @@ +[general] +version = 4 +name = Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = draft +weight = -3 +material = generic_pla +variant = CC 0.4 +is_experimental = True + +[values] +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =100 +cool_min_speed = 2 +gradual_infill_step_height = =3 * layer_height +infill_line_width = =round(line_width * 0.65 / 0.75, 2) +infill_pattern = triangles +line_width = =machine_nozzle_size +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_final_print_temperature = =max(-273.15, material_print_temperature - 15) +material_initial_print_temperature = =max(-273.15, material_print_temperature - 10) +material_print_temperature = =default_material_print_temperature + 10 +material_standby_temperature = 100 +prime_tower_enable = True +retract_at_layer_change = False +speed_print = 45 +speed_topbottom = =math.ceil(speed_print * 35 / 45) +speed_wall = =math.ceil(speed_print * 40 / 45) +speed_wall_x = =speed_wall +speed_wall_0 = =math.ceil(speed_wall * 35 / 40) +support_angle = 70 +support_line_width = =line_width * 0.75 +support_pattern = ='triangles' +support_xy_distance = =wall_line_width_0 * 1.5 +top_bottom_thickness = =layer_height * 4 +wall_line_width = =round(line_width * 0.75 / 0.75, 2) +wall_line_width_x = =round(wall_line_width * 0.625 / 0.75, 2) +wall_thickness = =wall_line_width_0 + wall_line_width_x 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 new file mode 100644 index 0000000000..c02df86438 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Fast_Print.inst.cfg @@ -0,0 +1,43 @@ +[general] +version = 4 +name = Normal +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = quality +quality_type = fast +weight = -2 +material = generic_pla +variant = CC 0.4 +is_experimental = True + +[values] +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =100 +cool_min_speed = 2 +gradual_infill_step_height = =3 * layer_height +infill_line_width = =round(line_width * 0.65 / 0.75, 2) +infill_pattern = triangles +line_width = =machine_nozzle_size +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_final_print_temperature = =max(-273.15, material_print_temperature - 15) +material_initial_print_temperature = =max(-273.15, material_print_temperature - 10) +material_print_temperature = =default_material_print_temperature + 10 +material_standby_temperature = 100 +prime_tower_enable = True +retract_at_layer_change = False +speed_print = 45 +speed_topbottom = =math.ceil(speed_print * 35 / 45) +speed_wall = =math.ceil(speed_print * 40 / 45) +speed_wall_x = =speed_wall +speed_wall_0 = =math.ceil(speed_wall * 35 / 40) +support_angle = 70 +support_line_width = =line_width * 0.75 +support_pattern = ='triangles' +support_xy_distance = =wall_line_width_0 * 1.5 +top_bottom_thickness = =layer_height * 4 +wall_line_width = =round(line_width * 0.75 / 0.75, 2) +wall_line_width_x = =round(wall_line_width * 0.625 / 0.75, 2) +wall_thickness = =wall_line_width_0 + wall_line_width_x diff --git a/resources/quality/volumic/stream20dual_mk2_coarse.inst.cfg b/resources/quality/volumic/stream20dual_mk2_coarse.inst.cfg new file mode 100644 index 0000000000..7ac317e234 --- /dev/null +++ b/resources/quality/volumic/stream20dual_mk2_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream20dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20dual_mk2_draft.inst.cfg b/resources/quality/volumic/stream20dual_mk2_draft.inst.cfg new file mode 100644 index 0000000000..d1916150df --- /dev/null +++ b/resources/quality/volumic/stream20dual_mk2_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream20dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20dual_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream20dual_mk2_extra_coarse.inst.cfg new file mode 100644 index 0000000000..1057cd10b0 --- /dev/null +++ b/resources/quality/volumic/stream20dual_mk2_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream20dual_mk2 + +[metadata] +setting_version = 18 +type = quality +quality_type = extra coarse +weight = 0 +global_quality = True + +[values] +layer_height = 0.275 +top_bottom_thickness = 1.1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20dual_mk2_fast.inst.cfg b/resources/quality/volumic/stream20dual_mk2_fast.inst.cfg new file mode 100644 index 0000000000..7309e2abf7 --- /dev/null +++ b/resources/quality/volumic/stream20dual_mk2_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream20dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20dual_mk2_high.inst.cfg b/resources/quality/volumic/stream20dual_mk2_high.inst.cfg new file mode 100644 index 0000000000..4ffe487891 --- /dev/null +++ b/resources/quality/volumic/stream20dual_mk2_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream20dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20dual_mk2_normal.inst.cfg b/resources/quality/volumic/stream20dual_mk2_normal.inst.cfg new file mode 100644 index 0000000000..d0636d3bfa --- /dev/null +++ b/resources/quality/volumic/stream20dual_mk2_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream20dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20pro_mk2_coarse.inst.cfg b/resources/quality/volumic/stream20pro_mk2_coarse.inst.cfg new file mode 100644 index 0000000000..fed4943bcc --- /dev/null +++ b/resources/quality/volumic/stream20pro_mk2_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream20pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20pro_mk2_draft.inst.cfg b/resources/quality/volumic/stream20pro_mk2_draft.inst.cfg new file mode 100644 index 0000000000..94ec0b89be --- /dev/null +++ b/resources/quality/volumic/stream20pro_mk2_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream20pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20pro_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream20pro_mk2_extra_coarse.inst.cfg new file mode 100644 index 0000000000..5efcf4acd1 --- /dev/null +++ b/resources/quality/volumic/stream20pro_mk2_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream20pro_mk2 + +[metadata] +setting_version = 18 +type = quality +quality_type = extra coarse +weight = 0 +global_quality = True + +[values] +layer_height = 0.275 +top_bottom_thickness = 1.1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20pro_mk2_fast.inst.cfg b/resources/quality/volumic/stream20pro_mk2_fast.inst.cfg new file mode 100644 index 0000000000..bff254db4a --- /dev/null +++ b/resources/quality/volumic/stream20pro_mk2_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream20pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20pro_mk2_high.inst.cfg b/resources/quality/volumic/stream20pro_mk2_high.inst.cfg new file mode 100644 index 0000000000..968183f371 --- /dev/null +++ b/resources/quality/volumic/stream20pro_mk2_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream20pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20pro_mk2_normal.inst.cfg b/resources/quality/volumic/stream20pro_mk2_normal.inst.cfg new file mode 100644 index 0000000000..bd7e41e52d --- /dev/null +++ b/resources/quality/volumic/stream20pro_mk2_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream20pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30dual_mk2_coarse.inst.cfg b/resources/quality/volumic/stream30dual_mk2_coarse.inst.cfg new file mode 100644 index 0000000000..e1764fc776 --- /dev/null +++ b/resources/quality/volumic/stream30dual_mk2_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream30dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30dual_mk2_draft.inst.cfg b/resources/quality/volumic/stream30dual_mk2_draft.inst.cfg new file mode 100644 index 0000000000..ab0d34f223 --- /dev/null +++ b/resources/quality/volumic/stream30dual_mk2_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream30dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30dual_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream30dual_mk2_extra_coarse.inst.cfg new file mode 100644 index 0000000000..e4a5e7c8cb --- /dev/null +++ b/resources/quality/volumic/stream30dual_mk2_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream30dual_mk2 + +[metadata] +setting_version = 18 +type = quality +quality_type = extra coarse +weight = 0 +global_quality = True + +[values] +layer_height = 0.275 +top_bottom_thickness = 1.1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30dual_mk2_fast.inst.cfg b/resources/quality/volumic/stream30dual_mk2_fast.inst.cfg new file mode 100644 index 0000000000..48ff852dcf --- /dev/null +++ b/resources/quality/volumic/stream30dual_mk2_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream30dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30dual_mk2_high.inst.cfg b/resources/quality/volumic/stream30dual_mk2_high.inst.cfg new file mode 100644 index 0000000000..42d5f2eba3 --- /dev/null +++ b/resources/quality/volumic/stream30dual_mk2_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream30dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30dual_mk2_normal.inst.cfg b/resources/quality/volumic/stream30dual_mk2_normal.inst.cfg new file mode 100644 index 0000000000..7e6cb702bd --- /dev/null +++ b/resources/quality/volumic/stream30dual_mk2_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream30dual_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +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 new file mode 100644 index 0000000000..558bdcc830 --- /dev/null +++ b/resources/quality/volumic/stream30pro_mk2_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream30pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30pro_mk2_draft.inst.cfg b/resources/quality/volumic/stream30pro_mk2_draft.inst.cfg new file mode 100644 index 0000000000..d90697b47f --- /dev/null +++ b/resources/quality/volumic/stream30pro_mk2_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream30pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30pro_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream30pro_mk2_extra_coarse.inst.cfg new file mode 100644 index 0000000000..0fde4c82a8 --- /dev/null +++ b/resources/quality/volumic/stream30pro_mk2_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream30pro_mk2 + +[metadata] +setting_version = 18 +type = quality +quality_type = extra coarse +weight = 0 +global_quality = True + +[values] +layer_height = 0.275 +top_bottom_thickness = 1.1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30pro_mk2_fast.inst.cfg b/resources/quality/volumic/stream30pro_mk2_fast.inst.cfg new file mode 100644 index 0000000000..1d4c146a11 --- /dev/null +++ b/resources/quality/volumic/stream30pro_mk2_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream30pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30pro_mk2_high.inst.cfg b/resources/quality/volumic/stream30pro_mk2_high.inst.cfg new file mode 100644 index 0000000000..d5b7d5ddfc --- /dev/null +++ b/resources/quality/volumic/stream30pro_mk2_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream30pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30pro_mk2_normal.inst.cfg b/resources/quality/volumic/stream30pro_mk2_normal.inst.cfg new file mode 100644 index 0000000000..f1aa9980e0 --- /dev/null +++ b/resources/quality/volumic/stream30pro_mk2_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream30pro_mk2 + +[metadata] +setting_version = 18 +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 = 60 +speed_layer_0 = 30 +speed_print = 60 +speed_topbottom = 48 +speed_travel = 100 +speed_wall = 30 +speed_wall_0 = 30 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30ultra_coarse.inst.cfg b/resources/quality/volumic/stream30ultra_coarse.inst.cfg new file mode 100644 index 0000000000..7451c44033 --- /dev/null +++ b/resources/quality/volumic/stream30ultra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream30ultra + +[metadata] +setting_version = 18 +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/stream30ultra_draft.inst.cfg b/resources/quality/volumic/stream30ultra_draft.inst.cfg new file mode 100644 index 0000000000..4978a5c4bb --- /dev/null +++ b/resources/quality/volumic/stream30ultra_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream30ultra + +[metadata] +setting_version = 18 +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/stream30ultra_extra_coarse.inst.cfg b/resources/quality/volumic/stream30ultra_extra_coarse.inst.cfg new file mode 100644 index 0000000000..09b3c9f16c --- /dev/null +++ b/resources/quality/volumic/stream30ultra_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream30ultra + +[metadata] +setting_version = 18 +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/stream30ultra_fast.inst.cfg b/resources/quality/volumic/stream30ultra_fast.inst.cfg new file mode 100644 index 0000000000..467a491aa4 --- /dev/null +++ b/resources/quality/volumic/stream30ultra_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream30ultra + +[metadata] +setting_version = 18 +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/stream30ultra_high.inst.cfg b/resources/quality/volumic/stream30ultra_high.inst.cfg new file mode 100644 index 0000000000..364a66681e --- /dev/null +++ b/resources/quality/volumic/stream30ultra_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream30ultra + +[metadata] +setting_version = 18 +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/stream30ultra_normal.inst.cfg b/resources/quality/volumic/stream30ultra_normal.inst.cfg new file mode 100644 index 0000000000..28292234ac --- /dev/null +++ b/resources/quality/volumic/stream30ultra_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream30ultra + +[metadata] +setting_version = 18 +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 new file mode 100644 index 0000000000..691c2b8095 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream30ultrasc + +[metadata] +setting_version = 18 +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/stream30ultrasc_draft.inst.cfg b/resources/quality/volumic/stream30ultrasc_draft.inst.cfg new file mode 100644 index 0000000000..58d1edcecd --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream30ultrasc + +[metadata] +setting_version = 18 +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/stream30ultrasc_extra_coarse.inst.cfg b/resources/quality/volumic/stream30ultrasc_extra_coarse.inst.cfg new file mode 100644 index 0000000000..963312d2ab --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream30ultrasc + +[metadata] +setting_version = 18 +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/stream30ultrasc_fast.inst.cfg b/resources/quality/volumic/stream30ultrasc_fast.inst.cfg new file mode 100644 index 0000000000..f65e6f96d1 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream30ultrasc + +[metadata] +setting_version = 18 +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/stream30ultrasc_high.inst.cfg b/resources/quality/volumic/stream30ultrasc_high.inst.cfg new file mode 100644 index 0000000000..34dd84f385 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream30ultrasc + +[metadata] +setting_version = 18 +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/stream30ultrasc_normal.inst.cfg b/resources/quality/volumic/stream30ultrasc_normal.inst.cfg new file mode 100644 index 0000000000..4737c43f77 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream30ultrasc + +[metadata] +setting_version = 18 +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/shaders/striped.shader b/resources/shaders/striped.shader index e83074473d..5c69f0675f 100644 --- a/resources/shaders/striped.shader +++ b/resources/shaders/striped.shader @@ -36,7 +36,7 @@ fragment = uniform mediump float u_width; uniform bool u_vertical_stripes; - uniform lowp u_lowestPrintableHeight; + uniform lowp float u_lowestPrintableHeight; varying highp vec3 v_position; varying highp vec3 v_vertex; diff --git a/resources/texts/change_log.txt b/resources/texts/change_log.txt index 7fa25b681d..80f5abb41a 100644 --- a/resources/texts/change_log.txt +++ b/resources/texts/change_log.txt @@ -151,6 +151,16 @@ Overlapping skin and alternating wall. The extra wall at each alternating step w Assertion failure in SkeletalTrapezoidation. Can cause the engine to crash on certain models. +[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. @@ -161,7 +171,7 @@ Now you can open files directly from Digital Library projects. Then, after prepa 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.   +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. diff --git a/resources/texts/whats_new/0.html b/resources/texts/whats_new/0.html index 8d1868b043..8332dbf1ba 100644 --- a/resources/texts/whats_new/0.html +++ b/resources/texts/whats_new/0.html @@ -1,5 +1,2 @@ -

    Seamless workflow with the Digital Library in Ultimaker Digital Factory

    -

    - 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 -

    +

    Ultimaker PETG Profiles

    +

    Profiles for Ultimaker PETG are now included. Ultimaker PETG sets the standard for industrial applications and is suitable for a wide range of use cases thanks to its ease of use and versatility. Find out more

    \ No newline at end of file diff --git a/resources/texts/whats_new/2.html b/resources/texts/whats_new/2.html index ae9560362e..8b56f46928 100644 --- a/resources/texts/whats_new/2.html +++ b/resources/texts/whats_new/2.html @@ -1,4 +1,3 @@ -

    “Line type” is now the default color scheme.

    -

    - This improves your user experience – as you will no longer have to manually switch to “line type” each time you enter Preview mode. -

    +

    Better visual representation

    +

    The Z-seam is now clearly indicated in Preview mode. This ensures that you will know whether the seam will be sufficiently hidden in the end product.
    +Thanks to BasF0 for contributing to this feature.

    diff --git a/resources/texts/whats_new/3.html b/resources/texts/whats_new/3.html index 9e90b01e2c..ae9560362e 100644 --- a/resources/texts/whats_new/3.html +++ b/resources/texts/whats_new/3.html @@ -1,3 +1,4 @@ -

    Learn more

    -

    Want more information for Ultimaker Cura 4.9?
    -Read the blog post or watch the video. And don't forget to give us your feedback!

    +

    “Line type” is now the default color scheme.

    +

    + This improves your user experience – as you will no longer have to manually switch to “line type” each time you enter Preview mode. +

    diff --git a/resources/texts/whats_new/4.html b/resources/texts/whats_new/4.html new file mode 100644 index 0000000000..85d772904d --- /dev/null +++ b/resources/texts/whats_new/4.html @@ -0,0 +1,3 @@ +

    Learn more

    +

    Want more information for Ultimaker Cura 4.9.1?
    +Read the blog post or watch the video. And don't forget to give us your feedback!

    diff --git a/resources/themes/cura-light/styles.qml b/resources/themes/cura-light/styles.qml index daf06ac6af..28aa352834 100755 --- a/resources/themes/cura-light/styles.qml +++ b/resources/themes/cura-light/styles.qml @@ -1,4 +1,4 @@ -// Copyright (c) 2018 Ultimaker B.V. +// Copyright (c) 2021 Ultimaker B.V. // Cura is released under the terms of the LGPLv3 or higher. import QtQuick 2.10 @@ -21,49 +21,49 @@ QtObject { if(control.valueError) { - return Theme.getColor("setting_validation_error_background"); + return UM.Theme.getColor("setting_validation_error_background"); } else if(control.valueWarning) { - return Theme.getColor("setting_validation_warning_background"); + return UM.Theme.getColor("setting_validation_warning_background"); } else { - return Theme.getColor("setting_control"); + return UM.Theme.getColor("setting_control"); } } else { - return Theme.getColor("setting_control_disabled"); + return UM.Theme.getColor("setting_control_disabled"); } } radius: UM.Theme.getSize("setting_control_radius").width - border.width: Theme.getSize("default_lining").width + border.width: UM.Theme.getSize("default_lining").width border.color: { if (control.enabled) { if (control.valueError) { - return Theme.getColor("setting_validation_error"); + return UM.Theme.getColor("setting_validation_error"); } else if (control.valueWarning) { - return Theme.getColor("setting_validation_warning"); + return UM.Theme.getColor("setting_validation_warning"); } else if (control.hovered) { - return Theme.getColor("setting_control_border_highlight"); + return UM.Theme.getColor("setting_control_border_highlight"); } else { - return Theme.getColor("setting_control_border"); + return UM.Theme.getColor("setting_control_border"); } } else { - return Theme.getColor("setting_control_disabled_border"); + return UM.Theme.getColor("setting_control_disabled_border"); } } UM.RecolorImage @@ -71,25 +71,25 @@ QtObject id: downArrow anchors.verticalCenter: parent.verticalCenter anchors.right: parent.right - anchors.rightMargin: Theme.getSize("default_margin").width - width: Theme.getSize("standard_arrow").width - height: Theme.getSize("standard_arrow").height + anchors.rightMargin: UM.Theme.getSize("default_margin").width + width: UM.Theme.getSize("standard_arrow").width + height: UM.Theme.getSize("standard_arrow").height sourceSize.height: width - color: control.enabled ? Theme.getColor("setting_control_button") : Theme.getColor("setting_category_disabled_text") - source: Theme.getIcon("arrow_bottom") + color: control.enabled ? UM.Theme.getColor("setting_control_button") : UM.Theme.getColor("setting_category_disabled_text") + source: UM.Theme.getIcon("arrow_bottom") } Label { id: printSetupComboBoxLabel - color: control.enabled ? Theme.getColor("setting_control_text") : Theme.getColor("setting_control_disabled_text") + color: control.enabled ? UM.Theme.getColor("setting_control_text") : UM.Theme.getColor("setting_control_disabled_text") text: control.text; elide: Text.ElideRight; anchors.left: parent.left; - anchors.leftMargin: Theme.getSize("setting_unit_margin").width + anchors.leftMargin: UM.Theme.getSize("setting_unit_margin").width anchors.right: downArrow.left; anchors.rightMargin: control.rightMargin; anchors.verticalCenter: parent.verticalCenter; - font: Theme.getFont("default") + font: UM.Theme.getFont("default") } } label: Label{} @@ -175,25 +175,25 @@ QtObject { background: Item { - implicitWidth: Theme.getSize("button").width - implicitHeight: Theme.getSize("button").height + implicitWidth: UM.Theme.getSize("button").width + implicitHeight: UM.Theme.getSize("button").height UM.PointingRectangle { id: button_tooltip anchors.left: parent.right - anchors.leftMargin: Theme.getSize("button_tooltip_arrow").width * 2 + anchors.leftMargin: UM.Theme.getSize("button_tooltip_arrow").width * 2 anchors.verticalCenter: parent.verticalCenter target: Qt.point(parent.x, y + Math.round(height/2)) - arrowSize: Theme.getSize("button_tooltip_arrow").width - color: Theme.getColor("button_tooltip") + arrowSize: UM.Theme.getSize("button_tooltip_arrow").width + color: UM.Theme.getColor("button_tooltip") opacity: control.hovered ? 1.0 : 0.0; visible: control.text != "" - width: control.hovered ? button_tip.width + Theme.getSize("button_tooltip").width : 0 - height: Theme.getSize("button_tooltip").height + width: control.hovered ? button_tip.width + UM.Theme.getSize("button_tooltip").width : 0 + height: UM.Theme.getSize("button_tooltip").height Behavior on width { NumberAnimation { duration: 100; } } Behavior on opacity { NumberAnimation { duration: 100; } } @@ -206,8 +206,8 @@ QtObject anchors.verticalCenter: parent.verticalCenter text: control.text - font: Theme.getFont("default") - color: Theme.getColor("tooltip_text") + font: UM.Theme.getFont("default") + color: UM.Theme.getColor("tooltip_text") } } @@ -226,22 +226,22 @@ QtObject } else if(control.checkable && control.checked && control.hovered) { - return Theme.getColor("toolbar_button_active_hover") + return UM.Theme.getColor("toolbar_button_active_hover") } else if(control.pressed || (control.checkable && control.checked)) { - return Theme.getColor("toolbar_button_active") + return UM.Theme.getColor("toolbar_button_active") } else if(control.hovered) { - return Theme.getColor("toolbar_button_hover") + return UM.Theme.getColor("toolbar_button_hover") } - return Theme.getColor("toolbar_background") + return UM.Theme.getColor("toolbar_background") } Behavior on color { ColorAnimation { duration: 50; } } - border.width: (control.hasOwnProperty("needBorder") && control.needBorder) ? Theme.getSize("default_lining").width : 0 - border.color: control.checked ? Theme.getColor("icon") : Theme.getColor("lining") + border.width: (control.hasOwnProperty("needBorder") && control.needBorder) ? UM.Theme.getSize("default_lining").width : 0 + border.color: control.checked ? UM.Theme.getColor("icon") : UM.Theme.getColor("lining") } } @@ -252,11 +252,11 @@ QtObject anchors.centerIn: parent opacity: control.enabled ? 1.0 : 0.2 source: control.iconSource - width: Theme.getSize("button_icon").width - height: Theme.getSize("button_icon").height - color: Theme.getColor("icon") + width: UM.Theme.getSize("button_icon").width + height: UM.Theme.getSize("button_icon").height + color: UM.Theme.getColor("icon") - sourceSize: Theme.getSize("button_icon") + sourceSize: UM.Theme.getSize("button_icon") } } } @@ -268,10 +268,10 @@ QtObject { background: Rectangle { - implicitWidth: Theme.getSize("message").width - (Theme.getSize("default_margin").width * 2) - implicitHeight: Theme.getSize("progressbar").height - color: control.hasOwnProperty("backgroundColor") ? control.backgroundColor : Theme.getColor("progressbar_background") - radius: Theme.getSize("progressbar_radius").width + implicitWidth: UM.Theme.getSize("message").width - (UM.Theme.getSize("default_margin").width * 2) + implicitHeight: UM.Theme.getSize("progressbar").height + color: control.hasOwnProperty("backgroundColor") ? control.backgroundColor : UM.Theme.getColor("progressbar_background") + radius: UM.Theme.getSize("progressbar_radius").width } progress: Rectangle { @@ -287,22 +287,22 @@ QtObject } else { - return Theme.getColor("progressbar_control"); + return UM.Theme.getColor("progressbar_control"); } } - radius: Theme.getSize("progressbar_radius").width + radius: UM.Theme.getSize("progressbar_radius").width Rectangle { - radius: Theme.getSize("progressbar_radius").width - color: control.hasOwnProperty("controlColor") ? control.controlColor : Theme.getColor("progressbar_control") - width: Theme.getSize("progressbar_control").width - height: Theme.getSize("progressbar_control").height + radius: UM.Theme.getSize("progressbar_radius").width + color: control.hasOwnProperty("controlColor") ? control.controlColor : UM.Theme.getColor("progressbar_control") + width: UM.Theme.getSize("progressbar_control").width + height: UM.Theme.getSize("progressbar_control").height visible: control.indeterminate SequentialAnimation on x { id: xAnim - property int animEndPoint: Theme.getSize("message").width - Math.round((Theme.getSize("default_margin").width * 2.5)) - Theme.getSize("progressbar_control").width + property int animEndPoint: UM.Theme.getSize("message").width - Math.round((UM.Theme.getSize("default_margin").width * 2.5)) - UM.Theme.getSize("progressbar_control").width running: control.indeterminate && control.visible loops: Animation.Infinite NumberAnimation { from: 0; to: xAnim.animEndPoint; duration: 2000;} @@ -324,18 +324,18 @@ QtObject scrollBarBackground: Rectangle { - implicitWidth: Theme.getSize("scrollbar").width + implicitWidth: UM.Theme.getSize("scrollbar").width radius: Math.round(implicitWidth / 2) - color: Theme.getColor("scrollbar_background") + color: UM.Theme.getColor("scrollbar_background") } handle: Rectangle { id: scrollViewHandle - implicitWidth: Theme.getSize("scrollbar").width + implicitWidth: UM.Theme.getSize("scrollbar").width radius: Math.round(implicitWidth / 2) - color: styleData.pressed ? Theme.getColor("scrollbar_handle_down") : styleData.hovered ? Theme.getColor("scrollbar_handle_hover") : Theme.getColor("scrollbar_handle") + color: styleData.pressed ? UM.Theme.getColor("scrollbar_handle_down") : styleData.hovered ? UM.Theme.getColor("scrollbar_handle_hover") : UM.Theme.getColor("scrollbar_handle") Behavior on color { ColorAnimation { duration: 50; } } } } @@ -348,14 +348,14 @@ QtObject background: Rectangle { - implicitHeight: Theme.getSize("setting_control").height; - implicitWidth: Theme.getSize("setting_control").width; + implicitHeight: UM.Theme.getSize("setting_control").height; + implicitWidth: UM.Theme.getSize("setting_control").width; color: control.hovered ? UM.Theme.getColor("setting_control_highlight") : UM.Theme.getColor("setting_control") Behavior on color { ColorAnimation { duration: 50; } } - border.width: Theme.getSize("default_lining").width; - border.color: control.hovered ? Theme.getColor("setting_control_border_highlight") : Theme.getColor("setting_control_border"); + border.width: UM.Theme.getSize("default_lining").width; + border.color: control.hovered ? UM.Theme.getColor("setting_control_border_highlight") : UM.Theme.getColor("setting_control_border"); radius: UM.Theme.getSize("setting_control_radius").width } @@ -364,14 +364,14 @@ QtObject Label { anchors.left: parent.left - anchors.leftMargin: Theme.getSize("default_lining").width + anchors.leftMargin: UM.Theme.getSize("default_lining").width anchors.right: downArrow.left - anchors.rightMargin: Theme.getSize("default_lining").width + anchors.rightMargin: UM.Theme.getSize("default_lining").width anchors.verticalCenter: parent.verticalCenter text: control.currentText - font: Theme.getFont("default"); - color: !enabled ? Theme.getColor("setting_control_disabled_text") : Theme.getColor("setting_control_text") + font: UM.Theme.getFont("default"); + color: !enabled ? UM.Theme.getColor("setting_control_disabled_text") : UM.Theme.getColor("setting_control_text") elide: Text.ElideRight verticalAlignment: Text.AlignVCenter @@ -381,16 +381,16 @@ QtObject { id: downArrow anchors.right: parent.right - anchors.rightMargin: Theme.getSize("default_lining").width * 2 + anchors.rightMargin: UM.Theme.getSize("default_lining").width * 2 anchors.verticalCenter: parent.verticalCenter - source: Theme.getIcon("arrow_bottom") - width: Theme.getSize("standard_arrow").width - height: Theme.getSize("standard_arrow").height + source: UM.Theme.getIcon("arrow_bottom") + width: UM.Theme.getSize("standard_arrow").width + height: UM.Theme.getSize("standard_arrow").height sourceSize.width: width + 5 * screenScaleFactor sourceSize.height: width + 5 * screenScaleFactor - color: Theme.getColor("setting_control_button"); + color: UM.Theme.getColor("setting_control_button"); } } } @@ -403,16 +403,16 @@ QtObject background: Item { } indicator: Rectangle { - implicitWidth: Theme.getSize("checkbox").width - implicitHeight: Theme.getSize("checkbox").height + implicitWidth: UM.Theme.getSize("checkbox").width + implicitHeight: UM.Theme.getSize("checkbox").height - color: (control.hovered || control._hovered) ? Theme.getColor("checkbox_hover") : (control.enabled ? Theme.getColor("checkbox") : Theme.getColor("checkbox_disabled")) + color: (control.hovered || control._hovered) ? UM.Theme.getColor("checkbox_hover") : (control.enabled ? UM.Theme.getColor("checkbox") : UM.Theme.getColor("checkbox_disabled")) Behavior on color { ColorAnimation { duration: 50; } } - radius: control.exclusiveGroup ? Math.round(Theme.getSize("checkbox").width / 2) : Theme.getSize("checkbox_radius").width + radius: control.exclusiveGroup ? Math.round(UM.Theme.getSize("checkbox").width / 2) : UM.Theme.getSize("checkbox_radius").width - border.width: Theme.getSize("default_lining").width - border.color: (control.hovered || control._hovered) ? Theme.getColor("checkbox_border_hover") : Theme.getColor("checkbox_border") + border.width: UM.Theme.getSize("default_lining").width + border.color: (control.hovered || control._hovered) ? UM.Theme.getColor("checkbox_border_hover") : UM.Theme.getColor("checkbox_border") UM.RecolorImage { @@ -421,8 +421,8 @@ QtObject width: Math.round(parent.width / 2.5) height: Math.round(parent.height / 2.5) sourceSize.height: width - color: Theme.getColor("checkbox_mark") - source: control.exclusiveGroup ? Theme.getIcon("dot") : Theme.getIcon("check") + color: UM.Theme.getColor("checkbox_mark") + source: control.exclusiveGroup ? UM.Theme.getIcon("dot") : UM.Theme.getIcon("check") opacity: control.checked Behavior on opacity { NumberAnimation { duration: 100; } } } @@ -430,8 +430,8 @@ QtObject label: Label { text: control.text - color: Theme.getColor("checkbox_text") - font: Theme.getFont("default") + color: UM.Theme.getColor("checkbox_text") + font: UM.Theme.getFont("default") elide: Text.ElideRight renderType: Text.NativeRendering } @@ -445,16 +445,16 @@ QtObject background: Item { } indicator: Rectangle { - implicitWidth: Theme.getSize("checkbox").width - implicitHeight: Theme.getSize("checkbox").height + implicitWidth: UM.Theme.getSize("checkbox").width + implicitHeight: UM.Theme.getSize("checkbox").height - color: (control.hovered || control._hovered) ? Theme.getColor("checkbox_hover") : Theme.getColor("checkbox"); + color: (control.hovered || control._hovered) ? UM.Theme.getColor("checkbox_hover") : UM.Theme.getColor("checkbox"); Behavior on color { ColorAnimation { duration: 50; } } - radius: control.exclusiveGroup ? Math.round(Theme.getSize("checkbox").width / 2) : UM.Theme.getSize("checkbox_radius").width + radius: control.exclusiveGroup ? Math.round(UM.Theme.getSize("checkbox").width / 2) : UM.Theme.getSize("checkbox_radius").width - border.width: Theme.getSize("default_lining").width; - border.color: (control.hovered || control._hovered) ? Theme.getColor("checkbox_border_hover") : Theme.getColor("checkbox_border"); + border.width: UM.Theme.getSize("default_lining").width; + border.color: (control.hovered || control._hovered) ? UM.Theme.getColor("checkbox_border_hover") : UM.Theme.getColor("checkbox_border"); UM.RecolorImage { @@ -463,16 +463,16 @@ QtObject width: Math.round(parent.width / 2.5) height: Math.round(parent.height / 2.5) sourceSize.height: width - color: Theme.getColor("checkbox_mark") + color: UM.Theme.getColor("checkbox_mark") source: { if (control.checkbox_state == 2) { - return Theme.getIcon("solid"); + return UM.Theme.getIcon("Solid"); } else { - return control.exclusiveGroup ? Theme.getIcon("dot") : Theme.getIcon("check"); + return control.exclusiveGroup ? UM.Theme.getIcon("Dot", "low") : UM.Theme.getIcon("Check"); } } opacity: control.checked @@ -482,8 +482,8 @@ QtObject label: Label { text: control.text - color: Theme.getColor("checkbox_text") - font: Theme.getFont("default") + color: UM.Theme.getColor("checkbox_text") + font: UM.Theme.getFont("default") } } } @@ -492,30 +492,30 @@ QtObject { TextFieldStyle { - textColor: Theme.getColor("setting_control_text") - placeholderTextColor: Theme.getColor("setting_control_text") - font: Theme.getFont("default") + textColor: UM.Theme.getColor("setting_control_text") + placeholderTextColor: UM.Theme.getColor("setting_control_text") + font: UM.Theme.getFont("default") background: Rectangle { implicitHeight: control.height; implicitWidth: control.width; - border.width: Theme.getSize("default_lining").width; - border.color: control.hovered ? Theme.getColor("setting_control_border_highlight") : Theme.getColor("setting_control_border"); + border.width: UM.Theme.getSize("default_lining").width; + border.color: control.hovered ? UM.Theme.getColor("setting_control_border_highlight") : UM.Theme.getColor("setting_control_border"); radius: UM.Theme.getSize("setting_control_radius").width - color: Theme.getColor("setting_validation_ok"); + color: UM.Theme.getColor("setting_validation_ok"); Label { anchors.right: parent.right; - anchors.rightMargin: Theme.getSize("setting_unit_margin").width; + anchors.rightMargin: UM.Theme.getSize("setting_unit_margin").width; anchors.verticalCenter: parent.verticalCenter; text: control.unit ? control.unit : "" - color: Theme.getColor("setting_unit"); - font: Theme.getFont("default"); + color: UM.Theme.getColor("setting_unit"); + font: UM.Theme.getFont("default"); renderType: Text.NativeRendering } } diff --git a/resources/variants/arjun300_0.2.inst.cfg b/resources/variants/arjun300_0.2.inst.cfg index 2ae0f1e580..4b0c6aa597 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.3.inst.cfg b/resources/variants/arjun300_0.3.inst.cfg index ccc76890ad..55fc1d685c 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.4.inst.cfg b/resources/variants/arjun300_0.4.inst.cfg index 09abee78bd..ea61165ad5 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.5.inst.cfg b/resources/variants/arjun300_0.5.inst.cfg index 92d65ac13c..2c45535af8 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.6.inst.cfg b/resources/variants/arjun300_0.6.inst.cfg index e7e507a5f0..cb5e62434b 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.8.inst.cfg b/resources/variants/arjun300_0.8.inst.cfg index 55bbf898ac..2d7831e409 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 = 16 +setting_version = 18 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 2efa855aaf..cefcb5386b 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 = 16 +setting_version = 18 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 96d5dc84ea..8094004e61 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 = 16 +setting_version = 18 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 c84310d50e..0e2b8eb765 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 = 16 +setting_version = 18 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 fd85afb6a6..781bee3fbe 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 = 16 +setting_version = 18 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 5caa154c68..9602f1ac5c 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 = 16 +setting_version = 18 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 a005dbdf12..5cf1e1c8c9 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 = 16 +setting_version = 18 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 e9ee6108c3..5255ccbdf2 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 = 16 +setting_version = 18 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 bb46c4b568..fe3422a6aa 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 = 16 +setting_version = 18 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 d12619a437..a95fc2945f 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 = 16 +setting_version = 18 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 1e21b2bcc7..dbedf444d7 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 = 16 +setting_version = 18 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 4eb0d46953..020e64f76b 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 = 16 +setting_version = 18 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 931cd3fda8..e34ba3dd0a 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 = 16 +setting_version = 18 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 063461b052..8193ca9437 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 = 16 +setting_version = 18 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 333bb68ddb..cfd807e11e 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 = 16 +setting_version = 18 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 32d797c45b..b3974039f3 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 = 16 +setting_version = 18 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 a8551686b8..18b91c6b30 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 = 16 +setting_version = 18 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 df2e99066d..7781fbb388 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 = 16 +setting_version = 18 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 279067688f..9621c78b18 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 = 16 +setting_version = 18 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 1dbcb9d3fd..8671d7dd2a 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 = 16 +setting_version = 18 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 1137917cd9..8db3d74cf9 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 = 16 +setting_version = 18 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 ea92584b6b..5fbc843daa 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 = 16 +setting_version = 18 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 75952f266e..108bce9d8c 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 = 16 +setting_version = 18 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 400bc1e1b7..05de6fc0e6 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 = 16 +setting_version = 18 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 5313c86f52..a9f7ed3eeb 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 = 16 +setting_version = 18 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 73f239a670..2aeded799e 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 = 16 +setting_version = 18 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 2f98925f2c..21ed458aec 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 = 16 +setting_version = 18 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 de566f34f2..c12ef9839f 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 = 16 +setting_version = 18 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 d568cec9a7..aed73c36ef 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 = 16 +setting_version = 18 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 a7415958eb..6002d757a3 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 = 16 +setting_version = 18 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 baae0c4ba8..24651d03df 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_base_0.20.inst.cfg b/resources/variants/flashforge_base_0.20.inst.cfg index fca7d7a5d4..220cb0464c 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 = 16 +setting_version = 18 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 71d74cc061..5d466fcd30 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 = 16 +setting_version = 18 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 dce32cb7ec..c9c3a8091f 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 = 16 +setting_version = 18 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 85f09936a7..2498257642 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 = 16 +setting_version = 18 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 88a6eb10f8..9384d92621 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 = 16 +setting_version = 18 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 3cd3374ae9..814b5a6cf0 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 = 16 +setting_version = 18 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 8e87a84c89..7b16682aea 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 = 16 +setting_version = 18 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 dc2a303422..75beb2bb39 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 = 16 +setting_version = 18 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 f9df964b4d..1337667205 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 = 16 +setting_version = 18 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 473afbbfb7..080f9ac6bb 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.2.inst.cfg b/resources/variants/kosher220_0.2.inst.cfg index b5380e6e5c..d3a35d5e67 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.3.inst.cfg b/resources/variants/kosher220_0.3.inst.cfg index 8d4c055bee..ccbad4934f 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.4.inst.cfg b/resources/variants/kosher220_0.4.inst.cfg index 78ac4a4597..074dca7328 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.5.inst.cfg b/resources/variants/kosher220_0.5.inst.cfg index 787695c8d2..71497f3779 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.6.inst.cfg b/resources/variants/kosher220_0.6.inst.cfg index 6686dc40a2..205466d278 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.8.inst.cfg b/resources/variants/kosher220_0.8.inst.cfg index fdddfaa6e6..a167f667b3 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 = 16 +setting_version = 18 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 584dde986b..88e1054133 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 = 16 +setting_version = 18 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 1d9ac28ff3..131d7a8fdc 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 = 16 +setting_version = 18 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 ece8d17408..1861d7c92c 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 = 16 +setting_version = 18 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 19936c44c7..706d2fedfd 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 = 16 +setting_version = 18 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 5784a37789..bf66dfbfef 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 = 16 +setting_version = 18 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 ff0792533d..b70997c937 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 = 16 +setting_version = 18 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 f63b9a2edd..8b0f773602 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 = 16 +setting_version = 18 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 efd9c694a8..1ab7b5e4f3 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 = 16 +setting_version = 18 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 61135873b6..a6087e6847 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 = 16 +setting_version = 18 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 c5005dadc7..91a89a0602 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 = 16 +setting_version = 18 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 870fb02afd..4002944956 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 = 16 +setting_version = 18 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 116ba1cda2..a7c0444820 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 = 16 +setting_version = 18 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 ae67a3f895..516e605449 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 = 16 +setting_version = 18 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 3656f1f266..746b8cd2d3 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 = 16 +setting_version = 18 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 3bc9b61792..c2698d0c03 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 = 16 +setting_version = 18 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 6c16b06a64..4a4c77401e 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 = 16 +setting_version = 18 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 87e2381033..c51d49d896 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 = 16 +setting_version = 18 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 2125bfeb60..18ceb739b3 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 = 16 +setting_version = 18 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 new file mode 100644 index 0000000000..f9a22c3c32 --- /dev/null +++ b/resources/variants/longer/longer_base_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_cube2_0.4.inst.cfg b/resources/variants/longer/longer_cube2_0.4.inst.cfg new file mode 100644 index 0000000000..9d56ff9ac0 --- /dev/null +++ b/resources/variants/longer/longer_cube2_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_cube2 + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_lk1_0.4.inst.cfg b/resources/variants/longer/longer_lk1_0.4.inst.cfg new file mode 100644 index 0000000000..dd5712c424 --- /dev/null +++ b/resources/variants/longer/longer_lk1_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_lk1 + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_lk1plus_0.4.inst.cfg b/resources/variants/longer/longer_lk1plus_0.4.inst.cfg new file mode 100644 index 0000000000..e978be3d5a --- /dev/null +++ b/resources/variants/longer/longer_lk1plus_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_lk1plus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_lk1pro_0.4.inst.cfg b/resources/variants/longer/longer_lk1pro_0.4.inst.cfg new file mode 100644 index 0000000000..d5a036cc9b --- /dev/null +++ b/resources/variants/longer/longer_lk1pro_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_lk1pro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_lk4_0.4.inst.cfg b/resources/variants/longer/longer_lk4_0.4.inst.cfg new file mode 100644 index 0000000000..06e6eb2c93 --- /dev/null +++ b/resources/variants/longer/longer_lk4_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_lk4 + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_lk4pro_0.4.inst.cfg b/resources/variants/longer/longer_lk4pro_0.4.inst.cfg new file mode 100644 index 0000000000..cb18b90ef1 --- /dev/null +++ b/resources/variants/longer/longer_lk4pro_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_lk4pro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_lk5_0.4.inst.cfg b/resources/variants/longer/longer_lk5_0.4.inst.cfg new file mode 100644 index 0000000000..edfdfc0d2f --- /dev/null +++ b/resources/variants/longer/longer_lk5_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_lk5 + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/longer/longer_lk5pro_0.4.inst.cfg b/resources/variants/longer/longer_lk5pro_0.4.inst.cfg new file mode 100644 index 0000000000..192cd7e4ee --- /dev/null +++ b/resources/variants/longer/longer_lk5pro_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = longer_lk5pro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/mingda_d3pro_0.2.inst.cfg b/resources/variants/mingda_d3pro_0.2.inst.cfg index 3ad09d32b4..bbd388b7ec 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 = 16 +setting_version = 18 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 eba4aa69a6..0ca663ec64 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 = 16 +setting_version = 18 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 2d0851e5da..726c6ee6ee 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 = 16 +setting_version = 18 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 ddea3c8ce8..466f21df8c 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 = 16 +setting_version = 18 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 cbcc4ff889..7df8a45793 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 = 16 +setting_version = 18 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 ac61e6ff64..aad7c8497d 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 = 16 +setting_version = 18 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 72c3b9a511..57f807b5fc 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 = 16 +setting_version = 18 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 914f403720..c9a38a5b29 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 = 16 +setting_version = 18 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 8e02d8200e..bd7b51ee13 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 = 16 +setting_version = 18 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 570d32c9c4..c0f08c7502 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 = 16 +setting_version = 18 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 3aaeb6e223..70a654c936 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 = 16 +setting_version = 18 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 8a5d17b4cf..6712f4dc6e 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 = 16 +setting_version = 18 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 0097a4cb3b..cf4f47ebf4 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 = 16 +setting_version = 18 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 957adbc9c9..184d15ad98 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 = 16 +setting_version = 18 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 a6f72b532f..c5606549f4 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 = 16 +setting_version = 18 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 26413dd217..c589fa35a1 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 = 16 +setting_version = 18 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 b701097422..334510de94 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 = 16 +setting_version = 18 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 54ff55c5d5..976500ffe3 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 = 16 +setting_version = 18 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 223fa17718..221478afd9 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 = 16 +setting_version = 18 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 773fca6809..bf80dd4a57 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 = 16 +setting_version = 18 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 e7a0c2c7ce..5a03b475e6 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 = 16 +setting_version = 18 type = variant hardware_type = nozzle diff --git a/resources/variants/strateo3d_standard_10.inst.cfg b/resources/variants/strateo3d_standard_10.inst.cfg new file mode 100644 index 0000000000..01f34b1b92 --- /dev/null +++ b/resources/variants/strateo3d_standard_10.inst.cfg @@ -0,0 +1,20 @@ +[general] +name = Standard 1.0 Experimental +version = 4 +definition = strateo3d + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_id = Standard 1.0 Experimental +machine_nozzle_size = 1.0 +machine_nozzle_tip_outer_diameter = 2.5 +layer_height = 0.5 +layer_height_0 = 0.6 +prime_tower_enable = True +retract_at_layer_change = True +support_angle = 50 +support_use_towers = True \ No newline at end of file diff --git a/resources/variants/strateo3d_standard_12.inst.cfg b/resources/variants/strateo3d_standard_12.inst.cfg new file mode 100644 index 0000000000..a35ed3060e --- /dev/null +++ b/resources/variants/strateo3d_standard_12.inst.cfg @@ -0,0 +1,20 @@ +[general] +name = Standard 1.2 Experimental +version = 4 +definition = strateo3d + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_id = Standard 1.2 Experimental +machine_nozzle_size = 1.2 +machine_nozzle_tip_outer_diameter = 3.0 +layer_height = 0.6 +layer_height_0 = 0.7 +prime_tower_enable = True +retract_at_layer_change = True +support_angle = 50 +support_use_towers = True \ No newline at end of file diff --git a/resources/variants/two_trees_base_0.2.inst.cfg b/resources/variants/two_trees_base_0.2.inst.cfg new file mode 100644 index 0000000000..2bac3fb8d0 --- /dev/null +++ b/resources/variants/two_trees_base_0.2.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.2mm Nozzle +version = 4 +definition = two_trees_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.2 diff --git a/resources/variants/two_trees_base_0.3.inst.cfg b/resources/variants/two_trees_base_0.3.inst.cfg new file mode 100644 index 0000000000..e037cdb2fa --- /dev/null +++ b/resources/variants/two_trees_base_0.3.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.3mm Nozzle +version = 4 +definition = two_trees_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.3 diff --git a/resources/variants/two_trees_base_0.4.inst.cfg b/resources/variants/two_trees_base_0.4.inst.cfg new file mode 100644 index 0000000000..ac29cb4b64 --- /dev/null +++ b/resources/variants/two_trees_base_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = two_trees_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/two_trees_base_0.5.inst.cfg b/resources/variants/two_trees_base_0.5.inst.cfg new file mode 100644 index 0000000000..c30b8a54b0 --- /dev/null +++ b/resources/variants/two_trees_base_0.5.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.5mm Nozzle +version = 4 +definition = two_trees_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.5 diff --git a/resources/variants/two_trees_base_0.6.inst.cfg b/resources/variants/two_trees_base_0.6.inst.cfg new file mode 100644 index 0000000000..08b667fc89 --- /dev/null +++ b/resources/variants/two_trees_base_0.6.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.6mm Nozzle +version = 4 +definition = two_trees_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.6 diff --git a/resources/variants/two_trees_base_0.8.inst.cfg b/resources/variants/two_trees_base_0.8.inst.cfg new file mode 100644 index 0000000000..b65f7eced2 --- /dev/null +++ b/resources/variants/two_trees_base_0.8.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.8mm Nozzle +version = 4 +definition = two_trees_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.8 diff --git a/resources/variants/two_trees_base_1.0.inst.cfg b/resources/variants/two_trees_base_1.0.inst.cfg new file mode 100644 index 0000000000..05f99e7ddb --- /dev/null +++ b/resources/variants/two_trees_base_1.0.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 1.0mm Nozzle +version = 4 +definition = two_trees_base + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 1.0 diff --git a/resources/variants/two_trees_bluer_0.2.inst.cfg b/resources/variants/two_trees_bluer_0.2.inst.cfg new file mode 100644 index 0000000000..cc540212f2 --- /dev/null +++ b/resources/variants/two_trees_bluer_0.2.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.2mm Nozzle +version = 4 +definition = two_trees_bluer + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.2 diff --git a/resources/variants/two_trees_bluer_0.3.inst.cfg b/resources/variants/two_trees_bluer_0.3.inst.cfg new file mode 100644 index 0000000000..b0c093efae --- /dev/null +++ b/resources/variants/two_trees_bluer_0.3.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.3mm Nozzle +version = 4 +definition = two_trees_bluer + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.3 diff --git a/resources/variants/two_trees_bluer_0.4.inst.cfg b/resources/variants/two_trees_bluer_0.4.inst.cfg new file mode 100644 index 0000000000..eb879c16da --- /dev/null +++ b/resources/variants/two_trees_bluer_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = two_trees_bluer + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/two_trees_bluer_0.5.inst.cfg b/resources/variants/two_trees_bluer_0.5.inst.cfg new file mode 100644 index 0000000000..3166606368 --- /dev/null +++ b/resources/variants/two_trees_bluer_0.5.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.5mm Nozzle +version = 4 +definition = two_trees_bluer + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.5 diff --git a/resources/variants/two_trees_bluer_0.6.inst.cfg b/resources/variants/two_trees_bluer_0.6.inst.cfg new file mode 100644 index 0000000000..31cca6d12d --- /dev/null +++ b/resources/variants/two_trees_bluer_0.6.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.6mm Nozzle +version = 4 +definition = two_trees_bluer + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.6 diff --git a/resources/variants/two_trees_bluer_0.8.inst.cfg b/resources/variants/two_trees_bluer_0.8.inst.cfg new file mode 100644 index 0000000000..6aa7e209ec --- /dev/null +++ b/resources/variants/two_trees_bluer_0.8.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.8mm Nozzle +version = 4 +definition = two_trees_bluer + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.8 diff --git a/resources/variants/two_trees_bluer_1.0.inst.cfg b/resources/variants/two_trees_bluer_1.0.inst.cfg new file mode 100644 index 0000000000..55c131afd4 --- /dev/null +++ b/resources/variants/two_trees_bluer_1.0.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 1.0mm Nozzle +version = 4 +definition = two_trees_bluer + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 1.0 diff --git a/resources/variants/two_trees_bluerplus_0.2.inst.cfg b/resources/variants/two_trees_bluerplus_0.2.inst.cfg new file mode 100644 index 0000000000..e99f9cd7a9 --- /dev/null +++ b/resources/variants/two_trees_bluerplus_0.2.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.2mm Nozzle +version = 4 +definition = two_trees_bluerplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.2 diff --git a/resources/variants/two_trees_bluerplus_0.3.inst.cfg b/resources/variants/two_trees_bluerplus_0.3.inst.cfg new file mode 100644 index 0000000000..575f798e46 --- /dev/null +++ b/resources/variants/two_trees_bluerplus_0.3.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.3mm Nozzle +version = 4 +definition = two_trees_bluerplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.3 diff --git a/resources/variants/two_trees_bluerplus_0.4.inst.cfg b/resources/variants/two_trees_bluerplus_0.4.inst.cfg new file mode 100644 index 0000000000..0ba2bfdef6 --- /dev/null +++ b/resources/variants/two_trees_bluerplus_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = two_trees_bluerplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/two_trees_bluerplus_0.5.inst.cfg b/resources/variants/two_trees_bluerplus_0.5.inst.cfg new file mode 100644 index 0000000000..09d5e92250 --- /dev/null +++ b/resources/variants/two_trees_bluerplus_0.5.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.5mm Nozzle +version = 4 +definition = two_trees_bluerplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.5 diff --git a/resources/variants/two_trees_bluerplus_0.6.inst.cfg b/resources/variants/two_trees_bluerplus_0.6.inst.cfg new file mode 100644 index 0000000000..46c76080af --- /dev/null +++ b/resources/variants/two_trees_bluerplus_0.6.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.6mm Nozzle +version = 4 +definition = two_trees_bluerplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.6 diff --git a/resources/variants/two_trees_bluerplus_0.8.inst.cfg b/resources/variants/two_trees_bluerplus_0.8.inst.cfg new file mode 100644 index 0000000000..da3f273875 --- /dev/null +++ b/resources/variants/two_trees_bluerplus_0.8.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.8mm Nozzle +version = 4 +definition = two_trees_bluerplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.8 diff --git a/resources/variants/two_trees_bluerplus_1.0.inst.cfg b/resources/variants/two_trees_bluerplus_1.0.inst.cfg new file mode 100644 index 0000000000..44866ddfba --- /dev/null +++ b/resources/variants/two_trees_bluerplus_1.0.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 1.0mm Nozzle +version = 4 +definition = two_trees_bluerplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 1.0 diff --git a/resources/variants/two_trees_sapphireplus_0.2.inst.cfg b/resources/variants/two_trees_sapphireplus_0.2.inst.cfg new file mode 100644 index 0000000000..61e46b36d9 --- /dev/null +++ b/resources/variants/two_trees_sapphireplus_0.2.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.2mm Nozzle +version = 4 +definition = two_trees_sapphireplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.2 diff --git a/resources/variants/two_trees_sapphireplus_0.3.inst.cfg b/resources/variants/two_trees_sapphireplus_0.3.inst.cfg new file mode 100644 index 0000000000..bc371a0923 --- /dev/null +++ b/resources/variants/two_trees_sapphireplus_0.3.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.3mm Nozzle +version = 4 +definition = two_trees_sapphireplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.3 diff --git a/resources/variants/two_trees_sapphireplus_0.4.inst.cfg b/resources/variants/two_trees_sapphireplus_0.4.inst.cfg new file mode 100644 index 0000000000..c38e0cbcbc --- /dev/null +++ b/resources/variants/two_trees_sapphireplus_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = two_trees_sapphireplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/two_trees_sapphireplus_0.5.inst.cfg b/resources/variants/two_trees_sapphireplus_0.5.inst.cfg new file mode 100644 index 0000000000..22b1b8d1a6 --- /dev/null +++ b/resources/variants/two_trees_sapphireplus_0.5.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.5mm Nozzle +version = 4 +definition = two_trees_sapphireplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.5 diff --git a/resources/variants/two_trees_sapphireplus_0.6.inst.cfg b/resources/variants/two_trees_sapphireplus_0.6.inst.cfg new file mode 100644 index 0000000000..03850a724a --- /dev/null +++ b/resources/variants/two_trees_sapphireplus_0.6.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.6mm Nozzle +version = 4 +definition = two_trees_sapphireplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.6 diff --git a/resources/variants/two_trees_sapphireplus_0.8.inst.cfg b/resources/variants/two_trees_sapphireplus_0.8.inst.cfg new file mode 100644 index 0000000000..d5c4064abf --- /dev/null +++ b/resources/variants/two_trees_sapphireplus_0.8.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.8mm Nozzle +version = 4 +definition = two_trees_sapphireplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.8 diff --git a/resources/variants/two_trees_sapphireplus_1.0.inst.cfg b/resources/variants/two_trees_sapphireplus_1.0.inst.cfg new file mode 100644 index 0000000000..13be7032d7 --- /dev/null +++ b/resources/variants/two_trees_sapphireplus_1.0.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 1.0mm Nozzle +version = 4 +definition = two_trees_sapphireplus + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 1.0 diff --git a/resources/variants/two_trees_sapphirepro_0.2.inst.cfg b/resources/variants/two_trees_sapphirepro_0.2.inst.cfg new file mode 100644 index 0000000000..ccac7dbf4e --- /dev/null +++ b/resources/variants/two_trees_sapphirepro_0.2.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.2mm Nozzle +version = 4 +definition = two_trees_sapphirepro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.2 diff --git a/resources/variants/two_trees_sapphirepro_0.3.inst.cfg b/resources/variants/two_trees_sapphirepro_0.3.inst.cfg new file mode 100644 index 0000000000..b803bf097f --- /dev/null +++ b/resources/variants/two_trees_sapphirepro_0.3.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.3mm Nozzle +version = 4 +definition = two_trees_sapphirepro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.3 diff --git a/resources/variants/two_trees_sapphirepro_0.4.inst.cfg b/resources/variants/two_trees_sapphirepro_0.4.inst.cfg new file mode 100644 index 0000000000..6f0dda7f52 --- /dev/null +++ b/resources/variants/two_trees_sapphirepro_0.4.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.4mm Nozzle +version = 4 +definition = two_trees_sapphirepro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.4 diff --git a/resources/variants/two_trees_sapphirepro_0.5.inst.cfg b/resources/variants/two_trees_sapphirepro_0.5.inst.cfg new file mode 100644 index 0000000000..c8a33986e7 --- /dev/null +++ b/resources/variants/two_trees_sapphirepro_0.5.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.5mm Nozzle +version = 4 +definition = two_trees_sapphirepro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.5 diff --git a/resources/variants/two_trees_sapphirepro_0.6.inst.cfg b/resources/variants/two_trees_sapphirepro_0.6.inst.cfg new file mode 100644 index 0000000000..90b7b23a7c --- /dev/null +++ b/resources/variants/two_trees_sapphirepro_0.6.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.6mm Nozzle +version = 4 +definition = two_trees_sapphirepro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.6 diff --git a/resources/variants/two_trees_sapphirepro_0.8.inst.cfg b/resources/variants/two_trees_sapphirepro_0.8.inst.cfg new file mode 100644 index 0000000000..ae46946c3e --- /dev/null +++ b/resources/variants/two_trees_sapphirepro_0.8.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 0.8mm Nozzle +version = 4 +definition = two_trees_sapphirepro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 0.8 diff --git a/resources/variants/two_trees_sapphirepro_1.0.inst.cfg b/resources/variants/two_trees_sapphirepro_1.0.inst.cfg new file mode 100644 index 0000000000..7ed9a45d7c --- /dev/null +++ b/resources/variants/two_trees_sapphirepro_1.0.inst.cfg @@ -0,0 +1,12 @@ +[general] +name = 1.0mm Nozzle +version = 4 +definition = two_trees_sapphirepro + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +machine_nozzle_size = 1.0 diff --git a/resources/variants/ultimaker_s3_cc04.inst.cfg b/resources/variants/ultimaker_s3_cc04.inst.cfg new file mode 100644 index 0000000000..ecf4da234f --- /dev/null +++ b/resources/variants/ultimaker_s3_cc04.inst.cfg @@ -0,0 +1,46 @@ +[general] +name = CC 0.4 +version = 4 +definition = ultimaker_s3 + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +brim_width = 7 +machine_nozzle_cool_down_speed = 0.9 +machine_nozzle_id = CC 0.4 +machine_nozzle_size = 0.4 +raft_acceleration = =acceleration_print +raft_airgap = 0.3 +raft_base_thickness = =resolveOrValue('layer_height_0') * 1.2 +raft_interface_line_spacing = =raft_interface_line_width + 0.2 +raft_interface_line_width = =line_width * 2 +raft_interface_thickness = =layer_height * 1.5 +raft_jerk = =jerk_print +raft_margin = 15 +raft_surface_layers = 2 +retraction_count_max = 25 +retraction_min_travel = =line_width * 2 +retraction_prime_speed = =retraction_speed +speed_infill = =speed_print +speed_layer_0 = 20 +speed_print = 45 +speed_support = =speed_topbottom +speed_topbottom = =math.ceil(speed_print * 25 / 45) +speed_travel_layer_0 = 50 +speed_wall = =math.ceil(speed_print * 30 / 45) +speed_wall_0 = =math.ceil(speed_wall * 25 / 30) +speed_wall_x = =speed_wall +support_angle = 60 +support_bottom_distance = =support_z_distance / 2 +support_pattern = zigzag +support_top_distance = =support_z_distance +support_use_towers = True +support_z_distance = =layer_height * 2 +switch_extruder_prime_speed = =switch_extruder_retraction_speeds +switch_extruder_retraction_amount = =machine_heat_zone_length +top_bottom_thickness = =layer_height * 6 +wall_thickness = =line_width * 3 diff --git a/resources/variants/ultimaker_s5_cc04.inst.cfg b/resources/variants/ultimaker_s5_cc04.inst.cfg new file mode 100644 index 0000000000..f54e1805f0 --- /dev/null +++ b/resources/variants/ultimaker_s5_cc04.inst.cfg @@ -0,0 +1,46 @@ +[general] +name = CC 0.4 +version = 4 +definition = ultimaker_s5 + +[metadata] +setting_version = 18 +type = variant +hardware_type = nozzle + +[values] +brim_width = 7 +machine_nozzle_cool_down_speed = 0.9 +machine_nozzle_id = CC 0.4 +machine_nozzle_size = 0.4 +raft_acceleration = =acceleration_print +raft_airgap = 0.3 +raft_base_thickness = =resolveOrValue('layer_height_0') * 1.2 +raft_interface_line_spacing = =raft_interface_line_width + 0.2 +raft_interface_line_width = =line_width * 2 +raft_interface_thickness = =layer_height * 1.5 +raft_jerk = =jerk_print +raft_margin = 15 +raft_surface_layers = 2 +retraction_count_max = 25 +retraction_min_travel = =line_width * 2 +retraction_prime_speed = =retraction_speed +speed_infill = =speed_print +speed_layer_0 = 20 +speed_print = 45 +speed_support = =speed_topbottom +speed_topbottom = =math.ceil(speed_print * 25 / 45) +speed_travel_layer_0 = 50 +speed_wall = =math.ceil(speed_print * 30 / 45) +speed_wall_0 = =math.ceil(speed_wall * 25 / 30) +speed_wall_x = =speed_wall +support_angle = 60 +support_bottom_distance = =support_z_distance / 2 +support_pattern = zigzag +support_top_distance = =support_z_distance +support_use_towers = True +support_z_distance = =layer_height * 2 +switch_extruder_prime_speed = =switch_extruder_retraction_speeds +switch_extruder_retraction_amount = =machine_heat_zone_length +top_bottom_thickness = =layer_height * 6 +wall_thickness = =line_width * 3 diff --git a/scripts/line_length_checker.py b/scripts/line_length_checker.py new file mode 100644 index 0000000000..03575e199d --- /dev/null +++ b/scripts/line_length_checker.py @@ -0,0 +1,70 @@ +import re +import sys + +def getValue(line: str, key: str, default = None): + """Convenience function that finds the value in a line of g-code. + When requesting key = x from line "G1 X100" the value 100 is returned. + """ + if not key in line or (';' in line and line.find(key) > line.find(';')): + return default + sub_part = line[line.find(key) + 1:] + m = re.search('^-?[0-9]+\.?[0-9]*', sub_part) + if m is None: + return default + try: + return int(m.group(0)) + except ValueError: #Not an integer. + try: + return float(m.group(0)) + except ValueError: #Not a number at all. + return default + +def analyse(gcode, distance_to_report, print_layers = False): + lines_found = 0 + previous_x = 0 + previous_y = 0 + dist_squared = distance_to_report * distance_to_report + current_layer = 0 + for line in gcode.split("\n"): + if not line.startswith("G1"): + if line.startswith(";LAYER:"): + previous_x = 0 + previous_y = 0 + current_layer += 1 + continue + current_x = getValue(line, "X") + current_y = getValue(line, "Y") + if current_x is None or current_y is None: + continue + diff_x = current_x - previous_x + diff_y = current_y - previous_y + if diff_x * diff_x + diff_y * diff_y < dist_squared: + lines_found += 1 + if print_layers: + print("[!] ", distance_to_report, " layer ", current_layer, " ", previous_x, previous_y) + previous_y = current_y + previous_x = current_x + return lines_found + +def loadAndPrettyPrint(file_name): + print(file_name.replace(".gcode","")) + with open(file_name) as f: + data = f.read() + print("| Line length | Num segments |") + print("| ------------- | ------------- |") + print("| 1 |", analyse(data, 1), "|") + print("| 0.5 |", analyse(data, 0.5), "|") + print("| 0.1 |", analyse(data, 0.1), "|") + print("| 0.05 |", analyse(data, 0.05), "|") + print("| 0.01 |", analyse(data, 0.01), "|") + print("| 0.005 |", analyse(data, 0.005), "|") + print("| 0.001 |", analyse(data, 0.001), "|") + + +if __name__ == "__main__": + if len(sys.argv) != 2 : + print("Usage: ") + sys.exit(1) + + in_filename = sys.argv[1] + loadAndPrettyPrint(sys.argv[1]) diff --git a/tests/TestObjectsModel.py b/tests/TestObjectsModel.py index 543334cea6..b34c32a95e 100644 --- a/tests/TestObjectsModel.py +++ b/tests/TestObjectsModel.py @@ -217,7 +217,7 @@ class Test_Update: with patch("UM.Application.Application.getInstance", MagicMock(return_value=application_with_mocked_scene)): objects_model._update() assert objects_model.items == [{ - 'name': 'Group #1', + 'name': 'Group', 'selected': False, 'outside_build_area': True, 'buildplate_number': None, diff --git a/tests/conftest.py b/tests/conftest.py index 1b9b1c47ce..efe9141e29 100644 --- a/tests/conftest.py +++ b/tests/conftest.py @@ -6,12 +6,7 @@ from unittest.mock import MagicMock, patch import pytest -# Prevents error: "PyCapsule_GetPointer called with incorrect name" with conflicting SIP configurations between Arcus and PyQt: Import custom Sip bindings first! -import Savitar # Dont remove this line -import Arcus # No really. Don't. It needs to be there! -import pynest2d # Really! from UM.Qt.QtApplication import QtApplication # QtApplication import is required, even though it isn't used. -# Even though your IDE says these files are not used, don't believe it. It's lying. They need to be there. from cura.CuraApplication import CuraApplication from cura.Settings.ExtruderManager import ExtruderManager @@ -19,6 +14,7 @@ from cura.Settings.MachineManager import MachineManager from cura.UI.MachineActionManager import MachineActionManager from UM.Settings.ContainerRegistry import ContainerRegistry + # Create a CuraApplication object that will be shared among all tests. It needs to be initialized. # Since we need to use it more that once, we create the application the first time and use its instance afterwards. @pytest.fixture() @@ -26,15 +22,18 @@ def application() -> CuraApplication: app = MagicMock() return app + # Returns a MachineActionManager instance. @pytest.fixture() def machine_action_manager(application) -> MachineActionManager: return MachineActionManager(application) + @pytest.fixture() def global_stack(): return MagicMock(name="Global Stack") + @pytest.fixture() def container_registry(application, global_stack) -> ContainerRegistry: result = MagicMock() @@ -42,6 +41,7 @@ def container_registry(application, global_stack) -> ContainerRegistry: application.getContainerRegistry = MagicMock(return_value = result) return result + @pytest.fixture() def extruder_manager(application, container_registry) -> ExtruderManager: if ExtruderManager.getInstance() is not None: